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://docs.python.org/3/tutorial/introduction.html#lists | 3. An Informal Introduction to Python — Python 3.14.2 documentation Theme Auto Light Dark Table of Contents 3. An Informal Introduction to Python 3.1. Using Python as a Calculator 3.1.1. Numbers 3.1.2. Text 3.1.3. Lists 3.2. First Steps Towards Programming Previous topic 2. Using the Python Interpreter Next topic 4. More Control Flow Tools This page Report a bug Show source Navigation index modules | next | previous | Python » 3.14.2 Documentation » The Python Tutorial » 3. An Informal Introduction to Python | Theme Auto Light Dark | 3. An Informal Introduction to Python ¶ In the following examples, input and output are distinguished by the presence or absence of prompts ( >>> and … ): to repeat the example, you must type everything after the prompt, when the prompt appears; lines that do not begin with a prompt are output from the interpreter. Note that a secondary prompt on a line by itself in an example means you must type a blank line; this is used to end a multi-line command. You can use the “Copy” button (it appears in the upper-right corner when hovering over or tapping a code example), which strips prompts and omits output, to copy and paste the input lines into your interpreter. Many of the examples in this manual, even those entered at the interactive prompt, include comments. Comments in Python start with the hash character, # , and extend to the end of the physical line. A comment may appear at the start of a line or following whitespace or code, but not within a string literal. A hash character within a string literal is just a hash character. Since comments are to clarify code and are not interpreted by Python, they may be omitted when typing in examples. Some examples: # this is the first comment spam = 1 # and this is the second comment # ... and now a third! text = "# This is not a comment because it's inside quotes." 3.1. Using Python as a Calculator ¶ Let’s try some simple Python commands. Start the interpreter and wait for the primary prompt, >>> . (It shouldn’t take long.) 3.1.1. Numbers ¶ The interpreter acts as a simple calculator: you can type an expression into it and it will write the value. Expression syntax is straightforward: the operators + , - , * and / can be used to perform arithmetic; parentheses ( () ) can be used for grouping. For example: >>> 2 + 2 4 >>> 50 - 5 * 6 20 >>> ( 50 - 5 * 6 ) / 4 5.0 >>> 8 / 5 # division always returns a floating-point number 1.6 The integer numbers (e.g. 2 , 4 , 20 ) have type int , the ones with a fractional part (e.g. 5.0 , 1.6 ) have type float . We will see more about numeric types later in the tutorial. Division ( / ) always returns a float. To do floor division and get an integer result you can use the // operator; to calculate the remainder you can use % : >>> 17 / 3 # classic division returns a float 5.666666666666667 >>> >>> 17 // 3 # floor division discards the fractional part 5 >>> 17 % 3 # the % operator returns the remainder of the division 2 >>> 5 * 3 + 2 # floored quotient * divisor + remainder 17 With Python, it is possible to use the ** operator to calculate powers [ 1 ] : >>> 5 ** 2 # 5 squared 25 >>> 2 ** 7 # 2 to the power of 7 128 The equal sign ( = ) is used to assign a value to a variable. Afterwards, no result is displayed before the next interactive prompt: >>> width = 20 >>> height = 5 * 9 >>> width * height 900 If a variable is not “defined” (assigned a value), trying to use it will give you an error: >>> n # try to access an undefined variable Traceback (most recent call last): File "<stdin>" , line 1 , in <module> NameError : name 'n' is not defined There is full support for floating point; operators with mixed type operands convert the integer operand to floating point: >>> 4 * 3.75 - 1 14.0 In interactive mode, the last printed expression is assigned to the variable _ . This means that when you are using Python as a desk calculator, it is somewhat easier to continue calculations, for example: >>> tax = 12.5 / 100 >>> price = 100.50 >>> price * tax 12.5625 >>> price + _ 113.0625 >>> round ( _ , 2 ) 113.06 This variable should be treated as read-only by the user. Don’t explicitly assign a value to it — you would create an independent local variable with the same name masking the built-in variable with its magic behavior. In addition to int and float , Python supports other types of numbers, such as Decimal and Fraction . Python also has built-in support for complex numbers , and uses the j or J suffix to indicate the imaginary part (e.g. 3+5j ). 3.1.2. Text ¶ Python can manipulate text (represented by type str , so-called “strings”) as well as numbers. This includes characters “ ! ”, words “ rabbit ”, names “ Paris ”, sentences “ Got your back. ”, etc. “ Yay! :) ”. They can be enclosed in single quotes ( '...' ) or double quotes ( "..." ) with the same result [ 2 ] . >>> 'spam eggs' # single quotes 'spam eggs' >>> "Paris rabbit got your back :)! Yay!" # double quotes 'Paris rabbit got your back :)! Yay!' >>> '1975' # digits and numerals enclosed in quotes are also strings '1975' To quote a quote, we need to “escape” it, by preceding it with \ . Alternatively, we can use the other type of quotation marks: >>> 'doesn \' t' # use \' to escape the single quote... "doesn't" >>> "doesn't" # ...or use double quotes instead "doesn't" >>> '"Yes," they said.' '"Yes," they said.' >>> " \" Yes, \" they said." '"Yes," they said.' >>> '"Isn \' t," they said.' '"Isn\'t," they said.' In the Python shell, the string definition and output string can look different. The print() function produces a more readable output, by omitting the enclosing quotes and by printing escaped and special characters: >>> s = 'First line. \n Second line.' # \n means newline >>> s # without print(), special characters are included in the string 'First line.\nSecond line.' >>> print ( s ) # with print(), special characters are interpreted, so \n produces new line First line. Second line. If you don’t want characters prefaced by \ to be interpreted as special characters, you can use raw strings by adding an r before the first quote: >>> print ( 'C:\some \n ame' ) # here \n means newline! C:\some ame >>> print ( r 'C:\some\name' ) # note the r before the quote C:\some\name There is one subtle aspect to raw strings: a raw string may not end in an odd number of \ characters; see the FAQ entry for more information and workarounds. String literals can span multiple lines. One way is using triple-quotes: """...""" or '''...''' . End-of-line characters are automatically included in the string, but it’s possible to prevent this by adding a \ at the end of the line. In the following example, the initial newline is not included: >>> print ( """ \ ... Usage: thingy [OPTIONS] ... -h Display this usage message ... -H hostname Hostname to connect to ... """ ) Usage: thingy [OPTIONS] -h Display this usage message -H hostname Hostname to connect to >>> Strings can be concatenated (glued together) with the + operator, and repeated with * : >>> # 3 times 'un', followed by 'ium' >>> 3 * 'un' + 'ium' 'unununium' Two or more string literals (i.e. the ones enclosed between quotes) next to each other are automatically concatenated. >>> 'Py' 'thon' 'Python' This feature is particularly useful when you want to break long strings: >>> text = ( 'Put several strings within parentheses ' ... 'to have them joined together.' ) >>> text 'Put several strings within parentheses to have them joined together.' This only works with two literals though, not with variables or expressions: >>> prefix = 'Py' >>> prefix 'thon' # can't concatenate a variable and a string literal File "<stdin>" , line 1 prefix 'thon' ^^^^^^ SyntaxError : invalid syntax >>> ( 'un' * 3 ) 'ium' File "<stdin>" , line 1 ( 'un' * 3 ) 'ium' ^^^^^ SyntaxError : invalid syntax If you want to concatenate variables or a variable and a literal, use + : >>> prefix + 'thon' 'Python' Strings can be indexed (subscripted), with the first character having index 0. There is no separate character type; a character is simply a string of size one: >>> word = 'Python' >>> word [ 0 ] # character in position 0 'P' >>> word [ 5 ] # character in position 5 'n' Indices may also be negative numbers, to start counting from the right: >>> word [ - 1 ] # last character 'n' >>> word [ - 2 ] # second-last character 'o' >>> word [ - 6 ] 'P' Note that since -0 is the same as 0, negative indices start from -1. In addition to indexing, slicing is also supported. While indexing is used to obtain individual characters, slicing allows you to obtain a substring: >>> word [ 0 : 2 ] # characters from position 0 (included) to 2 (excluded) 'Py' >>> word [ 2 : 5 ] # characters from position 2 (included) to 5 (excluded) 'tho' Slice indices have useful defaults; an omitted first index defaults to zero, an omitted second index defaults to the size of the string being sliced. >>> word [: 2 ] # character from the beginning to position 2 (excluded) 'Py' >>> word [ 4 :] # characters from position 4 (included) to the end 'on' >>> word [ - 2 :] # characters from the second-last (included) to the end 'on' Note how the start is always included, and the end always excluded. This makes sure that s[:i] + s[i:] is always equal to s : >>> word [: 2 ] + word [ 2 :] 'Python' >>> word [: 4 ] + word [ 4 :] 'Python' One way to remember how slices work is to think of the indices as pointing between characters, with the left edge of the first character numbered 0. Then the right edge of the last character of a string of n characters has index n , for example: +---+---+---+---+---+---+ | P | y | t | h | o | n | +---+---+---+---+---+---+ 0 1 2 3 4 5 6 - 6 - 5 - 4 - 3 - 2 - 1 The first row of numbers gives the position of the indices 0…6 in the string; the second row gives the corresponding negative indices. The slice from i to j consists of all characters between the edges labeled i and j , respectively. For non-negative indices, the length of a slice is the difference of the indices, if both are within bounds. For example, the length of word[1:3] is 2. Attempting to use an index that is too large will result in an error: >>> word [ 42 ] # the word only has 6 characters Traceback (most recent call last): File "<stdin>" , line 1 , in <module> IndexError : string index out of range However, out of range slice indexes are handled gracefully when used for slicing: >>> word [ 4 : 42 ] 'on' >>> word [ 42 :] '' Python strings cannot be changed — they are immutable . Therefore, assigning to an indexed position in the string results in an error: >>> word [ 0 ] = 'J' Traceback (most recent call last): File "<stdin>" , line 1 , in <module> TypeError : 'str' object does not support item assignment >>> word [ 2 :] = 'py' Traceback (most recent call last): File "<stdin>" , line 1 , in <module> TypeError : 'str' object does not support item assignment If you need a different string, you should create a new one: >>> 'J' + word [ 1 :] 'Jython' >>> word [: 2 ] + 'py' 'Pypy' The built-in function len() returns the length of a string: >>> s = 'supercalifragilisticexpialidocious' >>> len ( s ) 34 See also Text Sequence Type — str Strings are examples of sequence types , and support the common operations supported by such types. String Methods Strings support a large number of methods for basic transformations and searching. f-strings String literals that have embedded expressions. Format String Syntax Information about string formatting with str.format() . printf-style String Formatting The old formatting operations invoked when strings are the left operand of the % operator are described in more detail here. 3.1.3. Lists ¶ Python knows a number of compound data types, used to group together other values. The most versatile is the list , which can be written as a list of comma-separated values (items) between square brackets. Lists might contain items of different types, but usually the items all have the same type. >>> squares = [ 1 , 4 , 9 , 16 , 25 ] >>> squares [1, 4, 9, 16, 25] Like strings (and all other built-in sequence types), lists can be indexed and sliced: >>> squares [ 0 ] # indexing returns the item 1 >>> squares [ - 1 ] 25 >>> squares [ - 3 :] # slicing returns a new list [9, 16, 25] Lists also support operations like concatenation: >>> squares + [ 36 , 49 , 64 , 81 , 100 ] [1, 4, 9, 16, 25, 36, 49, 64, 81, 100] Unlike strings, which are immutable , lists are a mutable type, i.e. it is possible to change their content: >>> cubes = [ 1 , 8 , 27 , 65 , 125 ] # something's wrong here >>> 4 ** 3 # the cube of 4 is 64, not 65! 64 >>> cubes [ 3 ] = 64 # replace the wrong value >>> cubes [1, 8, 27, 64, 125] You can also add new items at the end of the list, by using the list.append() method (we will see more about methods later): >>> cubes . append ( 216 ) # add the cube of 6 >>> cubes . append ( 7 ** 3 ) # and the cube of 7 >>> cubes [1, 8, 27, 64, 125, 216, 343] Simple assignment in Python never copies data. When you assign a list to a variable, the variable refers to the existing list . Any changes you make to the list through one variable will be seen through all other variables that refer to it.: >>> rgb = [ "Red" , "Green" , "Blue" ] >>> rgba = rgb >>> id ( rgb ) == id ( rgba ) # they reference the same object True >>> rgba . append ( "Alph" ) >>> rgb ["Red", "Green", "Blue", "Alph"] All slice operations return a new list containing the requested elements. This means that the following slice returns a shallow copy of the list: >>> correct_rgba = rgba [:] >>> correct_rgba [ - 1 ] = "Alpha" >>> correct_rgba ["Red", "Green", "Blue", "Alpha"] >>> rgba ["Red", "Green", "Blue", "Alph"] Assignment to slices is also possible, and this can even change the size of the list or clear it entirely: >>> letters = [ 'a' , 'b' , 'c' , 'd' , 'e' , 'f' , 'g' ] >>> letters ['a', 'b', 'c', 'd', 'e', 'f', 'g'] >>> # replace some values >>> letters [ 2 : 5 ] = [ 'C' , 'D' , 'E' ] >>> letters ['a', 'b', 'C', 'D', 'E', 'f', 'g'] >>> # now remove them >>> letters [ 2 : 5 ] = [] >>> letters ['a', 'b', 'f', 'g'] >>> # clear the list by replacing all the elements with an empty list >>> letters [:] = [] >>> letters [] The built-in function len() also applies to lists: >>> letters = [ 'a' , 'b' , 'c' , 'd' ] >>> len ( letters ) 4 It is possible to nest lists (create lists containing other lists), for example: >>> a = [ 'a' , 'b' , 'c' ] >>> n = [ 1 , 2 , 3 ] >>> x = [ a , n ] >>> x [['a', 'b', 'c'], [1, 2, 3]] >>> x [ 0 ] ['a', 'b', 'c'] >>> x [ 0 ][ 1 ] 'b' 3.2. First Steps Towards Programming ¶ Of course, we can use Python for more complicated tasks than adding two and two together. For instance, we can write an initial sub-sequence of the Fibonacci series as follows: >>> # Fibonacci series: >>> # the sum of two elements defines the next >>> a , b = 0 , 1 >>> while a < 10 : ... print ( a ) ... a , b = b , a + b ... 0 1 1 2 3 5 8 This example introduces several new features. The first line contains a multiple assignment : the variables a and b simultaneously get the new values 0 and 1. On the last line this is used again, demonstrating that the expressions on the right-hand side are all evaluated first before any of the assignments take place. The right-hand side expressions are evaluated from the left to the right. The while loop executes as long as the condition (here: a < 10 ) remains true. In Python, like in C, any non-zero integer value is true; zero is false. The condition may also be a string or list value, in fact any sequence; anything with a non-zero length is true, empty sequences are false. The test used in the example is a simple comparison. The standard comparison operators are written the same as in C: < (less than), > (greater than), == (equal to), <= (less than or equal to), >= (greater than or equal to) and != (not equal to). The body of the loop is indented : indentation is Python’s way of grouping statements. At the interactive prompt, you have to type a tab or space(s) for each indented line. In practice you will prepare more complicated input for Python with a text editor; all decent text editors have an auto-indent facility. When a compound statement is entered interactively, it must be followed by a blank line to indicate completion (since the parser cannot guess when you have typed the last line). Note that each line within a basic block must be indented by the same amount. The print() function writes the value of the argument(s) it is given. It differs from just writing the expression you want to write (as we did earlier in the calculator examples) in the way it handles multiple arguments, floating-point quantities, and strings. Strings are printed without quotes, and a space is inserted between items, so you can format things nicely, like this: >>> i = 256 * 256 >>> print ( 'The value of i is' , i ) The value of i is 65536 The keyword argument end can be used to avoid the newline after the output, or end the output with a different string: >>> a , b = 0 , 1 >>> while a < 1000 : ... print ( a , end = ',' ) ... a , b = b , a + b ... 0,1,1,2,3,5,8,13,21,34,55,89,144,233,377,610,987, Footnotes [ 1 ] Since ** has higher precedence than - , -3**2 will be interpreted as -(3**2) and thus result in -9 . To avoid this and get 9 , you can use (-3)**2 . [ 2 ] Unlike other languages, special characters such as \n have the same meaning with both single ( '...' ) and double ( "..." ) quotes. The only difference between the two is that within single quotes you don’t need to escape " (but you have to escape \' ) and vice versa. Table of Contents 3. An Informal Introduction to Python 3.1. Using Python as a Calculator 3.1.1. Numbers 3.1.2. Text 3.1.3. Lists 3.2. First Steps Towards Programming Previous topic 2. Using the Python Interpreter Next topic 4. More Control Flow Tools This page Report a bug Show source « Navigation index modules | next | previous | Python » 3.14.2 Documentation » The Python Tutorial » 3. An Informal Introduction to Python | Theme Auto Light Dark | © Copyright 2001 Python Software Foundation. This page is licensed under the Python Software Foundation License Version 2. Examples, recipes, and other code in the documentation are additionally licensed under the Zero Clause BSD License. See History and License for more information. The Python Software Foundation is a non-profit corporation. Please donate. Last updated on Jan 13, 2026 (06:19 UTC). Found a bug ? Created using Sphinx 8.2.3. | 2026-01-13T08:47:43 |
https://survivejs.com | SurviveJS Skip to content Home Search ☰ Home Books Blog Research Workshops Presentations Open source Consulting Search About me Loading... SurviveJS From an apprentice to a master of JavaScript Welcome to survivejs.com. I (Juho Vepsäläinen) have gathered material related to JavaScript since 2016. You can consider this site as a learning resource at different levels where I have gathered my learnings about the topic. Given JavaScript is a broad subject, I have divided the site as follows: In the books section you can find my larger writings about JavaScript. Currently maintenance, React ↗ , and webpack ↗ (most up to date book) are covered. The blog contains numerous of developer interviews (200+) and shorter posts about JavaScript. In the academic research section you can find my papers about the topics. I have taken care to include enough background material in my papers to keep them accessible so it is not as dry as you might think. I have gathered material related to my recent workshops at the workshops section of the site. Currently Qwik ↗ , Deno ↗ , and Web Audio ↗ are covered. Most of the content is freely available although you can support my efforts by buying books or considering some form of consulting . I work mainly around TypeScript, tooling, and web performance these days. Through my research efforts I have had to delve into the latest rendering techniques and upcoming themes like edge computing. This site has been built using Gustwind ↗ , my personal framework that is close to HTML with an API familiar to users of React. You could consider the site itself as a learning resource as I have built it using Tailwind syntax and you can copy/paste from the source easily although my custom components have been removed from the output although you can find the custom components at GitHub ↗ . Books SurviveJS – Webpack 5 In this book, I go through main features of webpack ↗ , a module bundler for JavaScript, and show how to compose your own configuration effectively. It doubles as a reference for common webpack techniques and I have included discussion considering alternatives. The book matches the current version of webpack. Read webpack book SurviveJS – Maintenance In this book co-authored with Artem Sapegin ↗ , I explore how to maintain and publish your JavaScript projects. Originally it was split off from the webpack book. The book is largely complete although I want to give it modernization pass to catch up with the latest developments in the space. Read maintenance book SurviveJS – React React book is where it all started and the webpack book was split up from this. The book is not up to date although it may be interesting to follow the book project while building it using some other technology or the latest React APIs. In other words the book could use an update and it is maintained on the site for historical purposes for now. Read React book Latest blog posts Impressions on Web Summit 2024 Impressions on Web Summit 2024 Web Summit 2024 occurred from 11 to 14.11 in Lisbon, Portugal. Despite its name, the summit does not focus on the web. … Published: 21.11.2024 state-ref - Easy to integrate state management library - Interview with Kim Jinwoo State management is one of those recurring themes in frontend development. State becomes an issue when you try to build something even a little comple… Published: 18.10.2024 KaibanJS - Open-source framework for building multi-agent AI systems - Interview with Dariel Vila Since the launch of ChatGPT, there has been a lot of interest in AI systems. The question is, how do you build your agents, for example? In this inte… Published: 11.10.2024 Workshops Qwik katas (2023) ↗ Qwik ↗ is a recent web framework that approaches web application from a different angle by eschewing the concept of hydration and replacing it with resumability. This means it provides unique benefits, such as automatic code-splitting, out of the box making it an interesting alternative for web developers that want to develop performant websites and applications out of the box. See Qwik katas ↗ Deno katas (2023) ↗ Deno ↗ is the followup project of Ryan Dahl, the original author of Node.js ↗ . In Deno, Ryan wanted to fix his perceived mistakes of Node.js and Deno could be characterized as a whole toolbox that comes with solutions for common server-side programming problems particularly in terms of tooling. See Deno katas ↗ Web Audio katas (2023) ↗ Web Audio ↗ is a powerful, yet underestimated, web API that allows you to build complex audio-based web application. In this kata, you will build a small Digital Audio Workstation (DAW) while getting acquainted with the relevant APIs and some of the history behind digital audio. See Web Audio katas ↗ Books Survivejs – Webpack 5 Survivejs – Maintenance Survivejs – React Conferences Future Frontend ↗ React Finland ↗ Feeling social? Subscribe to the mailing list ↗ Follow @survivejs on X ↗ Follow @survivejs on Bluesky ↗ Follow project on GitHub ↗ Contact me ↗ Subscribe to RSS About SurviveJS is maintained by Juho Vepsäläinen . You can find the site source at GitHub ↗ . | 2026-01-13T08:47:43 |
https://dev.to/nixx0328 | Nixx0328 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Nixx0328 <s>The boy is clever,he left nothing</s> I'm a 15 years old student|C++ Programmer|One of CZLJ.top's Admins|Minecraft player:Nixx|a boy want to be a White hat hacker! I'm sorry about my hard English=( Location 中国·江苏省·常州市·武进区 Joined Joined on Jun 29, 2024 Personal website https://nixx0328.github.io/ github website Education 中国·江苏省·常州市·武进区·西太湖外国语学校·初中部·八年级(4)班 Pronouns Minecraft cool player! Work ?I'm a student in Grade 8 now. More info about @nixx0328 Badges One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Skills/Languages C++.It's my first program language.I learn it for 3 years and get some awards(in China). Now I'm learning more program languages.I know a little about PHP、HTML、SQL.I'm going to build myself's Website! Currently learning C++、PHP、HTML、SQL、Javascript,and Raylib v5.0,a C++ 3D storehouse(raylib.com) Now I plan to build myself WebSite My program tools: ·RedPandaIDE(royqh.net/redpandacpp/) ·VS Code ·phpstudy(phpstudy.com) Currently hacking on A 3D game project.It's like Minecraft.(use Raylib)You can clone it in github.com/Nixx0328/C-Raylib-Project-Minecraft Another is my Website:nixx0328.github.io I'm learning Hacker Techno too (hacker101) Available for About c++ programs、learning SQL and Hacker Technology. If you want,I'm glad to talk about Raylib 3D storehouse and the sandbox game——Minecraft(Yee,I'm crazzy about it) Post 0 posts published Comment 5 comments written Tag 11 tags followed Want to connect with Nixx0328? Create an account to connect with Nixx0328. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:43 |
https://docs.suprsend.com/docs/integrate-go-sdk | Integrate Go SDK - 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 SDK Overview SuprSend Backend SDK Python SDK Node.js SDK Java SDK Go SDK Integrate Go SDK Manage Users Send and Track Events Trigger Workflow from API Tenants Lists Broadcast SuprSend Client SDK 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 Go SDK Integrate Go SDK Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Go SDK Integrate Go SDK OpenAI Open in ChatGPT Install & Initialize SuprSend Go SDK using your workspace credentials for sending notifications. OpenAI Open in ChatGPT Installation Install suprsend-go sdk bash Copy Ask AI go get github.com/suprsend/suprsend-go Initialization For initializing SDK, you need workspace_key and workspace_secret. You will get both the tokens from your Suprsend dashboard (Developers -> API Keys). Request Copy Ask AI package main import ( " log " suprsend " github.com/suprsend/suprsend-go " ) // Initialize SDK func main () { opts := [] suprsend . ClientOption { // suprsend.WithDebug(true), } suprClient , err := suprsend . NewClient ( "__workspace_key__" , "__workspace_secret__" , opts ... ) if err != nil { log . Println ( err ) } } Was this page helpful? Yes No Suggest edits Raise issue Previous Manage Users Manage user profiles and communication channels programmatically with the Go SDK. Next ⌘ I x github linkedin youtube Powered by On this page Installation Initialization | 2026-01-13T08:47:43 |
https://dev.to/devnews/s7-e5-a-german-court-rules-against-google-fonts-deepmind-s-ai-coding-engine-raspberry-pi-s-64-bit-os-and-flutter-for-windows | S7:E5 - A German Court Rules Against Google Fonts, DeepMind’s AI Coding Engine, Raspberry Pi’s 64-bit OS, and Flutter for Windows - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DevNews Follow S7:E5 - A German Court Rules Against Google Fonts, DeepMind’s AI Coding Engine, Raspberry Pi’s 64-bit OS, and Flutter for Windows Feb 10 '22 play In this episode, we talk about some hardware and some software that might be of interest to you, and DeepMind’s claims that their AI coding engine is on par with your average human developer. Then we speak with Giulia Gentile, fellow in law at the London School of Economics and Political Science, about Europe’s General Data Protection Regulation and a ruling by a German court saying that it found "no legitimate interest for using Google Fonts on its websites," and the legal precedent that it sets. Show Notes DevDiscuss (sponsor) Stack Overflow Podcast (sponsor) CodeNewbie (sponsor) Scout APM (DevNews) (sponsor) Raspberry Pi OS (64-bit) Announcing Flutter for Windows Competitive programming with AlphaCode No legitimate interest for using Google Fonts on websites, says German court Giulia Gentile Giulia Gentile is Fellow in Law at the LSE Law School. She joined LSE Law School in 2021, having previously worked as Lecturer and Postdoctoral Researcher at Maastricht University and as Visiting Lecturer at King’s College London. She holds a PhD and an LLM from King’s College London and an LLB/MA from the University of Naples ‘Federico II’. During her doctoral studies, she was awarded research scholarships by the Centre of European Law at King’s College London and the Max Planck Institute of European Procedural Law (Luxembourg). 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:47:43 |
https://dev.to/eriadura/comment/2k549 | *Matt Eland is a passionate learner, speaker, and author dedicated to explori... - 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 Discussion on: S27:E8 - Learning AI (Matt Eland) View post Collapse Expand SAMUEL ADENIJI SAMUEL ADENIJI SAMUEL ADENIJI Follow I am a website developer and a game developer Email samuel.adeniji2012@gmail.com Location Nigeria Education Codingal online class Pronouns Mr Work website developer Joined May 30, 2024 • Dec 5 '24 Dropdown menu Copy link Hide * Matt Eland is a passionate learner, speaker, and author dedicated to exploring and sharing knowledge in the most enthusiastic ways. As a Microsoft MVP in AI, he actively contributes to the tech community through his two blogs, YouTube channel, and by organizing the Central Ohio .NET Developer Group. Currently, Matt is balancing his work on a second book and course while also completing his master's degree. * Like comment: Like comment: 7 likes Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse 💎 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:47:43 |
https://squoosh.app/ | Squoosh Drop OR Paste Or try one of these: 2.8MB 2.9MB 1.6MB 13KB Small Smaller images mean faster load times. Squoosh can reduce file size and maintain high quality. Simple Open your image, inspect the differences, then save instantly. Feeling adventurous? Adjust the settings for even smaller files. Secure Worried about privacy? Images never leave your device since Squoosh does all the work locally. Privacy Source on Github Initialization error: This site requires JavaScript, which is disabled in your browser. reload | 2026-01-13T08:47:43 |
https://share.transistor.fm/s/940dfccb | APIs You Won't Hate | The State of the API Address APIs You Won't Hate 40 ? 30 : 10)" @keyup.document.left="seekBySeconds(-10)" @keyup.document.m="toggleMute" @keyup.document.s="toggleSpeed" @play="play(false, true)" @loadedmetadata="handleLoadedMetadata" @pause="pause(true)" preload="none" @timejump.window="seekToSeconds($event.detail.timestamp); shareTimeFormatted = formatTime($event.detail.timestamp)" > Trailer Bonus 10 40 ? 30 : 10)" class="seek-seconds-button" > 40 ? 30 : 10"> Subscribe Share More Info Download More episodes Subscribe newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyFeedUrl()" class="form-input-group" > Copied to clipboard Apple Podcasts Spotify Pocket Casts Overcast Castro YouTube Goodpods Goodpods Metacast Amazon Music Pandora CastBox Anghami Anghami Fountain JioSaavn Gaana iHeartRadio TuneIn TuneIn Player FM SoundCloud SoundCloud Deezer Podcast Addict Share newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyShareUrl()" class="form-input-group" > Share Copied to clipboard newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyEmbedHtml()" class="form-input-group" > Embed Copied to clipboard Start at Trailer Bonus Full Transcript View the website updateDescriptionLinks($el))" class="episode-description" > Chapters December 1, 2021 by APIs You Won't Hate View the website Listen On Apple Podcasts Listen On Spotify Listen On YouTube RSS Feed Subscribe RSS Feed RSS Feed URL Copied! Follow Episode Details / Transcript Matt and Phil are joined by Matthew Reinbold, director of API Ecosystems and Digital Transformations at Postman, to talk about Postman's State of the API 2021. Show Notes Matt and Phil are joined by Matthew Reinbold, director of API Ecosystems and Digital Transformations to discuss Postman's State of the API 2021 report, detailing various data points from around the API world from which specification people turn to, to how confident people feel deploying their APIs. They also discuss various topics around remote work, how APIs enable more remote work and what will happen in the next few years for APIs. Notes: Matthew on twitter: https://twitter.com/libel_vox Postman's State of the API Creators and Guests Host Mike Bifulco Cofounder and host of APIs You Won't Hate. Blogs at https://mikebifulco.com Into 🚴♀️, espresso ☕, looking after 🌍. ex @Stripe @Google @Microsoft What is APIs You Won't Hate? A no-nonsense (well, some-nonsense) podcast about API design & development, new features in the world of HTTP, service-orientated architecture, microservices, and probably bikes. Matt Trask: Cool. Welcome back to APS. You won't hate episode 17. I have Phil with me and we're joined by a very special guest today. Matthew Reinbold, fresh from postman, who is a director of API ecosystems and digital transformations here to talk about their report, the 2021 state of the API ecosystem. Matthew, how's it going? Matthew Reinbold: It is going. I am happy to be here first time, caller, long time listener. Is that how we say that? Matt Trask: I think that's yeah. It's how you say it. Yeah. So I mean, for those of you, like in the off chance that someone doesn't know who you are in the API ecosystem world can you give us a little bit kind of about yourself? Like you manage two different newsletters, at least as well as a pretty prolific Twitter presence as well. But if someone hasn't run into you, like. Matthew Reinbold: Well, yeah, well, first off, thanks for calling it prolific. Some people would call it annoying, but yeah, I I manage a fair number of tweets over at Twitter slash L I B E L underscore Vox, reliable Vox. That's where I talk about digital transformation and APIs and a lot of technology stuff. Occasionally. Fights with blockchain and NFT enthusiastic. But then I also manage, I also manage a newsletter called net API notes, where for almost 200 issues, going back to 2015, I've covered the landscape. I've shared essential bits of information. I've tried to boil down the, the. Current climate and get it right into just the most essential things that decision makers need to know and care about. And then I do a fair amount of blogging on a blog. That's very imaginatively named Matthew reinbold.com. In there, I talk about a fair number of things as well, but in, in, in short my passion is really about coaching people, helping people, teaching people to get better with their API ecosystem. Matt Trask: That's really cool. So one thing that kinda stuck out to me cause it's, so we're going to be talking about the 20, 21 Sidi APR report. However, I'm curious since you've been doing it now since 2015, you've been keeping notes on. The API world. How does your kind of, I hate to say this phrase, the 30,000 foot view of everything that, you know, from 2015, how does that kind of line up to what you saw with the 2021 state of the API report? Matthew Reinbold: Oh, that's interesting. So there's definitely. Maturing as a industry, we've gone through a number of phases. Those of us that have been around the block a few times, see trends come. And most often they, they tend to roll away. And over that time we have to develop models so that we can kind of. Pick the, the, the wheat from the chaff, you know, what, what are the properties of something new, some kind of buzzword, some kind of hyperbole that we can latch onto and say, yes, this is worth investing in. This is worth our interest in our effort versus, yeah, this is some marketing system, some spin as I'm looking at the 20, 21 postman report. I see. Where we've come. It's gone from being single point to point integrations. One-off bespoke API APIs to where we're now talking about things as ecosystems. We're now talking about collections of these things and how entire organizations. Manage these as, as something that's beneficial, something that's collaborative and, and managed as a separate entity rather than, than each individual unit I've got Phil here. So I have to use the forest for the trees analogy rather than just managing the individual API trees. There's now a greater awareness of what the forest, what the forest role is in the company and how to manage that. In a unique way, as opposed to the individual pieces. I will say for those that are listening, like I'm one of the things I want to highlight right up front here is that you don't have to enter an email address. It's not behind the page. We really felt strongly at postman that we had to get this information out to the most number of decision-makers so that they could make better decisions so that they could be informed as they're developing their strategies and roadmaps. So if you go to postman.com/state-of-api, you'll be able to download. With out any worry about having somebody from sales follow up with you later, or getting spam in your inbox, it's free for all. We want this information to be used. We want the dialogues to happen. We want the discourse to be rich and for me and frothy. And so please, you know, don't let past marketing spam. Stop you from checking this out. We want this in the hands of people. Phil Sturgeon: Fantastic. That's good to hear. I mean, that's I haven't got around to reading it as you might have seen from Twitter. Life has been a bit of a mess recently just spending far too much time in the field, as opposed to in the field doing APA stuff. But, yeah, that's definitely always been a concern of mine, of, you know, you hear about these white papers and reports and you just know so many of them like should have just be in the blog post, but instead that like a PDF that and you've got to enter information and then you just get like that fifth email, like, why didn't you reply to my previous four? I was like, I don't know who you are. I just want to read this thing. So yeah, I'm glad you folks are going in a different direction, but Maybe just taking a step back. Like, what is the state of API is report all about where are you getting your information from? What sort of research is being done? And what's the hospital. Matthew Reinbold: Great question. So this is, as far as I know, the largest survey of its kind, we had more than 28,000 people respond to our latest in a series. What we tend to do is try and track where the industry is at. And typically that's been around certain areas. Like how much time do you spend developing API APIs? What kind of tools are you using? Really good stuff there tracking the growth of, of the industry and the maturation of the industry. What I brought to the table this year. Was an interest on finding the behaviors that lead to sustainable, healthy API ecosystems. Like so much of what we talk about when it comes to API ecosystems is still very anecdotal. We tell stories about the Bezos Amazon memo, where we talk about like Twilio or Stripe, but when it comes to decision makers in large organizations, they're still. Trying to pull at what are decent KPIs, what are the behaviors I should be grooming or promoting within my company to make sure that I can keep producing quality API experiences again and again and again. And so what we did with this report that I'm really proud of is dig deep and discover, like, what are the correlating behaviors in organizations that lead to good things happening for companies? Phil Sturgeon: Okay. That's interesting. Cause I think. There's always this question around, like, what's a good API and what's a bad API. Right. And that's just such a nebulous, almost pointless topic so often, because you're just going to end up with opinions about camel case versus kebab case and opinions about rest versus graph UI, and all the nonsense that we love to fight about. And there's going to be someone with a fever at HTTP status code. And none of that actually matters, but you're talking about more of the business level stuff or what, what sort of things have come up as like. Really interesting results from, from your survey about how to build a good API what's what's, what's new and what's interesting. Matthew Reinbold: Right. Well, one of the things I wanted to look at was some of the insights that popped out to me when I was reading accelerate. So accelerate is like from. The previous decade, but it was written by Nicole Forsgren, Jess humble, Jean Kim, they came together and tried to figure out like, what was it about dev ops? That was so powerful. And they wanted to do it in a, in a way that quantified things, not just like, Hey, this is awesome. You should be doing it, but like get to the meat and potatoes of why is this powerful and why should businesses adopt dev ops? And as they went through their research they ended up discovering that there was really four things, four metrics that showed how dev. Made for better organizational performance. And those things were lead time, deployment, frequency, meantime to restore, or how quickly you recover and the change fail percentage. And I thought, huh, that's really interesting. Now that's for dev ops, but if these things are so instrumental in having organizations outperform. Their peers. Can we find the same correlation with API APIs? If we have the same behaviors, can we therefore then draw a line and say, if you have these things, if you have positive aspects of these four attributes, can you then have a more sustainable, more powerful API program? And based on our survey results, the answer is yes. So I can, I can go in and how we, how we drew that correlation. Phil Sturgeon: I'm curious, what sort of metrics are We, looking at? Matthew Reinbold: yeah. So first off we asked people on a 10 point scale. What, how, how well do you think that you've become API first? So out of our 28,000 respondents, they looked at this 10 point scale and they, they put themselves, you know, how they felt approximately 8% of the people that responded said, yes, we are either a nine or a 10 on the scale for API first, we said fine. And then we went through and we said, okay, you know, how long does it take you to make an API? Are we talking hours, days, weeks, so on and so forth. And we also said, okay, you know, not just time to produce, but how frequently you deploy and how many times do you have a deployment failure? Meaning like you put something in production, but it didn't work. Right. So you have to roll back and then like, what was your time to recovery? Like when an outage does occur and let's be. And outage always occurs at some point. Like how, how quickly can you recover from those things? So we got these nice, you know, bell curves and everybody kind of clumped toward the center on these things. And then we said, okay, Now the magic is we go back to that first question, the people that say their API first that have some kind of strong belief that they're doing API first, let's see how they compare to their peers on these metrics. And again, and again, all for these items, API, first people perform better. So, you know, taking one example here. API first people were able to deploy 17% faster than their peers and you know, in a day or less. So if you are API first and granted, there, there might be some subtlety in how a company defines that. But bottom line, if you are API first, you perform better on these metrics than your counterparts. Phil Sturgeon: Interesting. And yeah. Seeing, seeing as you raised it, what is API first? There's, there's a lot of different definitions floating around. Right. And so just for listeners that might not have listened to everything we've ever talked about and read every blog post we've ever read ref ever wrote how do you define it? Matthew Reinbold: Sure. Well, first for people that haven't heard this and haven't listened to every episode, shame on you. Second, I define I defined API first and. Making the API experience or the interface, the primary means for the functionality exchange. So not viewing, like I'm going to create this functionality and then subsequently go and some other team or, or some other project we'll be wrapping this thing in an API. It's thinking of creating an API experience as the primary exchange mechanism with dysfunctional. Not a library, not a module, not a class, the API. So this is slightly different than API design first, which is, I am going to subsequently talk to stakeholders, create a model, whether that's in an open API document or some other means, but I'm going to sketch that out. Test my assumptions, and then subsequently only begin code after. That's API design. First, I do draw a line between those two. They are very copacetic. They, they work together like peanut butter and chocolate, but there, there is a difference. You can, you can do API first without necessarily being API design first. Phil Sturgeon: For sure. Oh, well, we've got you on a roll. You're doing these really well. What is API as a product? Matthew Reinbold: Ooh, API API as a product. So that is creating an API with the. Awareness that it will have a roadmap. It will have ownership beyond just being put into a production environment that it will grow and change and subsequently necessitates the kind of modeling responsibilities and, and awareness that it will be growing and changing over time. Phil Sturgeon: Okay. So instead of, yeah, API first is your product should have an API. And that will be managed by the team who was making this product. And API as a product is a slight variant of API. First, that kind of takes that API out of that generic functionality team and says the API itself is the product. And another team potentially on the same team will be making a product using that Matthew Reinbold: Right. I, I would, I would, I would venture there's a lot of large enterprise environments for which API for. It's about a project that gets the thing into production. And then that thing is left to operate and run on its own. Perhaps there's some monitoring, perhaps some observability, but the actual team that made it is off doing the next thing and the next thing and the next thing there's not the idea that. This is a long lived item that, that produces some kind of business functionality value that is competing in a complex dynamic marketplace like that. That's the API product side of the house. Phil Sturgeon: Hm. Matt Trask: So the, I guess like the, the big question to bring up, I think right now is what did the pandemic do for the API ecosystem? Matthew Reinbold: Well, you know, first of all, I want to just stress that, that this thing that we kind of hand wave is the pandemic was actually like multiple congenital. Crises all at once. Right. You know, I, I want to, for the audience, like we're talking social unrest and political upheaval and supply chain disruption, and the, the pandemic was really a catch all for a tremendous amount of business stress. And what we've seen in the report is the usage of APIs, the number of API APIs the. Amount of focus and care on API. APIs has increased tremendously with that pandemic because business leaders, technology leaders are struggling with this amount of change, this amount of disruption. And so having architectures that are slow to change, difficult to change is just not cutting it in this. Set of multiple crises. So any kind of architectural advantage that allows them to change rapidly change quickly to do different things with how their development investment is deployed. So, you know, for example, taking that one dev team that was altogether in the office and being able to break it down into microservices to allow for greater asynchronous operation, greater flexibility. Those are the architectures that are being sought right now. Matt Trask: Yeah, that makes sense. I mean, it always here in America, I don't know if it feels sing, but you know, like there's. At the core level there. So like the whole, did we go back to the office and be Sandy the office upheaval as well. So it makes sense that there is kind of like a, a struggle on rapping, like getting non-technical CEOs, CTOs, CFOs their heads around the game-changing, this of APIs that doesn't surprise me at all to hear that they're still kind of, I don't want to say struggling, but unsure. Maybe like, Matthew Reinbold: Well, and, and, well, I, I think that's an interesting perspective because it assumes that leaders were in command and control positions of how the labor was divided anyway. And I would actually, I would actually posit that it's the opposite. It was everybody immediately going and running to their home offices and working in a remote work environment. The change in the communication paths changed the architectures that were subsequently produced by those teams. It's Conway's law in effect. And therefore, as we, as we look forward, as we look forward to what's going to happen, I would, I would venture that the organizations that pull people back to centralized locations, for whatever reason, I'm not going to debate whether that's good or bad, but the people that pull the development teams back to. see, like the Terminator two bad guy they'll reform remold because there will be more efficient communication patterns when everybody's face to face. Whereas those organizations that continue to have a distributed workforce will have more distributed architectural patterns because that's how communication is happening. Phil Sturgeon: That's really interesting. I haven't really thought about it before, but I, I, I bet there's been an uptick in kind of API design first, specifically due to this as well. Right? Because my experience working we work was, was pretty awful as far as like API planning goes and as a result, APA architecture and API performance and Matthew Reinbold: You don't say you should blog about that. Fail. Matt Trask: Yeah. Phil Sturgeon: 25. I'm going to do a book about that shit. Matt Trask: Have you tweeted about this yet? Phil? I'm not sure if anyone knows your true Phil Sturgeon: I did a talk. I did a talk recently. But yeah, there was, there was such an element of like, we're real in an open plan office, playing ping pong together and shooting each other with nerves that there was never any effort on API contract being written down in any shape or form because you're all sitting about. And you're just like, what's that end point? Cool mate. Oh, if slash whatever. Oh, is that a, is that property of booty? It's a string called true with QuoteWerks and then you didn't have a need to write it down because you just show it over, over the top of Nerf fire. And I, I do wonder if remote work, well, not necessarily remote work, but quarantine remote work has helped push people more towards it because if you can all be sitting around asking each other, you're going to be typing. The contract over slack. And if you're going to be typing it out over slack, which is inherently ephemeral, then you might as well type it into a Yammel file and commit that in the repo. And then you can have design reviews around the board request or other tools that the offer, that sort of thing. So, yeah, that's, that's just completely a hypothetical and something I'm thinking the second night and check that, but I'm sure it's happening. Matthew Reinbold: I completely agree. And, and let me throw in something that's not in the report, but something that's got me totally geeked out and I'm watching for on my radar, we are going to see the greatest Renaissance of API design documentation that we've ever seen in the next couple of years. Now, granted, you know, as far as Renaissance goes, maybe Renaissance. Documentation are not that great. So, you know, let's put the party hats back in the closet, but what we're seeing with the great resignation right now is all of that knowledge that people acquired in their heads is leaving. It's headed out the door and I've read reports like up to 80% of how to do things with API APIs is in people's heads. Like at we work. If you needed to know how API has worked. You know, you knew Phil was the guy that could get you straightened and Phil Sturgeon: I didn't have a clue. That was the problem. I was trying to find out how to do it. Matthew Reinbold: Okay. So I wasn't, it was somebody, it was somebody on the other end of a, of a Nerf battle away Phil Sturgeon: Someone who quit already is the person that you. Matthew Reinbold: But right now in organizations like you have this phenomenon where a tremendous number of people are leaving organizations and they might've been the sole person who knew where the end points were or knew how that particular tricky function worked. And as organizations are trying to deal with this and recover and still be productive, there's going to be a greater emphasis on having that crap written down, having things documented. Organizations don't have aren't left on their back foot like they are right now. So whether that's heavy handed processes, whether that's just a greater appreciation for documentation among the staff, that's left, whatever that manifests as there's going to be an increasing amount of emphasis on documentation, because people have seen that too much was stuck in people's heads and it's not sustained. Phil Sturgeon: Yeah, that's a really good point. I mean, and not just kind of documentation, but the whole open API as a source of truth earlier on. And I figured it has to be, has to become more noticeably important when Yeah. They've, they've lost the whole team. How the API works and you know what it's like, code's always a bloody mess. Cause you just hacked up within about what over the place and patch things and fix things. And what about and yeah, when they find themselves rewrite in the API, cause no one can really take it over and no one remembers how it works and there's no documentation for it. And it's just too hard to figure out when they just make a brand new one. And they have a whole brand new team doing it. Cause they've already lost all that stuff. Matthew Reinbold: Yeah. Phil Sturgeon: That's a situation that a lot of managers and business people are going to say, how can we go about avoiding doing this? And I just hope there's someone in the room that says, well, APA designed first would really help avoid this problem because otherwise they'll just repeat all the same mistakes again. Matthew Reinbold: Right. Absolutely. Whether it's design first or tools that help analyze existing traffic and write the document afterwards, like whatever you got to do, get that written down and start taking some notes against it because. It's it, I believe right now with the great resignation. It's an Achilles heel. That's probably hampering a lot of organizational ecosystems right now. Matt Trask: Yeah, I would definitely agree. I mean, it shows in the report under open API three dot oh, 44% of people are aware of it, but they don't use it 28% say they use it. 12% said they use it, the love it. So even just combining use it and use it in love. It still does not match aware of we're not using it. Which means that there is definitely a. A river to jump over. So to speak, to getting more people on, to open API, which is probably currently like the standard for API documentation right now which comes back to your point, which allows them to start writing things down and start documenting things. And Phil gets it by bus tomorrow. We work is still going to be okay. It very well could happen. Which is exactly why I use that example. And it, it, yeah, it it'll give the organization a little bit more or a little less reliance on what's in people's heads a little bit more stability in case great races, nation three Datto happens in three years. You know, you don't know what's gonna happen. Phil Sturgeon: Is that when everyone resigns from web three point now, Matt Trask: please. Don't don't threaten me with a good time. Like I've already, I've already muted those web three and NFD on my Twitter and it cleaned it up so Phil Sturgeon: Why do you hate progress, man? Matt Trask: A lot of reasons. I'm a combustion at heart? No. Matthew Reinbold: Hey, if you don't, Phil Sturgeon: particular messages of this progress that are the problem. Matthew Reinbold: if you, don't stand for something, you'll fall for anything. Good for you, Matt. Matt Trask: yes, I've always wanted my life to be attributed to a, a Hamilton quote. So I am glad I did. I can check that one off to get back onto the actual topic and not just bashing NFTs for an hour and a half, which sounds like a lot of fun. What you the most about this report? Like what was something that you read that just you weren't expecting? Matthew Reinbold: I, I think there was two things that when you combine them together it made me tilt my head and go, huh? The, the first is that more than anything else? Including speed to production. People want quality API APIs. They want stability. They want some other things reliability. But the primary thing that people want out of their, their API APIs is quality. And yet when it came to whether or not people had time to test. Everybody acknowledged that testing was good. Tested was valid, but nobody had enough time for testing and it's like, huh? These two things kind of seem like. The, the two sides of a coin, right. You know, people aren't getting the quality that they want, but everybody acknowledges that they don't have enough time to do testing, even though they recognize the testing is an extremely valuable type thing. So I think when it comes to socializing this report and talking to decision-makers and doing the kind of coaching that I so often do, I, this is one of those things too, to bring up, like how in your program are you supporting. Testing and ensuring that enough is being done there so that your developers feel like you're, you're reaching the kind of quality goals that, that you're, you're promising to the rest of the world. Phil Sturgeon: Hm, do you, is the survey broken down by role? So can you, can you look to see if. Managers and engineers have a rule, very interested in, in high quality. And engineers are going, but we don't have enough time, but the manager's like, oh, they definitely have enough time. Matthew Reinbold: Right. So we do have a breakdown by role and job title, but I don't have the numbers in front of me that, that combined, and show me how to break down the quality question. Phil Sturgeon: Yeah, that'd be an interesting one. Cause yeah, so many roles, so many organizations, I just take it as like a universal truth is that companies are just, you know, business and product are demanding feature, feature, feature, feature, feature, and engineers are just like screaming, just keyboards on fire, trying to try to hit them goals. And everything's just wonky as hell. And it seems to be everywhere I go. There's not enough to have. There's not enough time for QA. They might've got rid of the QA team because it's slowed down product and slowed down delivery of features. Yeah, everyone wants high-quality API has, but no one wants to put the time in to testing because testing is inherently hard and slow. Matthew Reinbold: Right. And kind of along those same lines, another stat that jumped out at me was that 76% of the people building API APIs have less than five years experience doing. I mean, you know, as far as restful APIs now, we're, we're more than a decade into that journey. So that stat leaps out at me, like what is it about API development, where we're getting people with zero to five years experience like what's happening. There are the successful API builders, aging out and becoming management. it, are they moving on to web three O and NFTs? Like, like what is, where are our experienced API builders and why are these critical pieces of business infrastructure? In the hands of relatively younger people. That's not to say that they can't be doing a good job, that, that it's impossible to build a great web experience at your first time at bat. But it's also something where I think everybody on this call would probably agree. Experience counts, experience matters. Ha being around the block once or twice, you pick up a feel for what's beneficial, what's maybe a little wonky and you can imbue that into a better design at launch. So, you know, where are the. 10 year, the 12 year, the 15 year veterans. And why are they not the primary source of API infrastructure development? Phil Sturgeon: Yeah. Some that I've seen so much, again, just, I love complaining about we work. Pretty much everyone that was a junior developer, Right. Like the vast majority, what, what you need developers and their role responsible for creating you know, there's like a hundred API APIs and, you know more than a hundred junior developers with just a sprinkling of seniors who were more on the cowboy coder end of things. Not, not to be rude, you know, like startup, you need to be super agile, super fast, not, not a perfectionist. And so, so many of the problems where this is, this person's first rails app, like they know how to accept incoming Jason parameters and they know how to spit something back from the database. And. That's that, and they know how to make a web request. So he talks to . He talks to F talks to G in the thread, and then no, one's got a timer anyway. So everything falls over, like, things like that. The sort of thing you realize, if you've been doing APIs for five years, or for 10 years, you've been doing it for 10 years, you wouldn't do that. You just wouldn't do that. You'd put something in a sidekick job and then implement a web socket or a web hook, or literally anything else. But. That's the sort of thing you do when you consider like HTP failures or server downtime, to be an edge case that is like some weird scenario that probably won't happen. And when you've been doing it for a longer time, you're like you, you change your mindset to this web requests probably won't work. And on the off chance that it. This is what should happen. And you just get really defensive and paranoid and have like 25 different guard statements and, you know, 25 different types of ex exception catching and, and every single circuit breaker and trigger warning that you can possibly put on this thing. And there is, yeah, there is a change in mind. Around around that kind of it doesn't, I'm not being a gatekeeper or at least they're saying you've got to be doing EPS for 10 years until you're good. But when you start out, you you're such, you're more of an optimist. You haven't seen it go wrong in as many ways. You haven't had cascading failures and you haven't had all these terrifying things that happen. So that, that is definitely a concern for me is that I think, yeah. Happy, happy path development. When you go from having one AP. To having 20 or a hundred, the, the the chance of straying off the happy path gets exponentially worse. Right. And, and that's just something, I think a lot of these younger developers on experience with. Matthew Reinbold: Right. Even, even when it comes to design, having used API APIs, having to incorporate the API APIs, you better understand what makes a good description and what is just a reiteration of the, the name itself. Yeah. Yeah. If I have a field called date of birth and the description is just the birth, that, the date that the person was born on, like, well, what was the. do I need to refresh it? Or is it cashed? You know, like, can I store it or is it part of some kind of regulatory PII? And I shouldn't, you know, I can use it, but I shouldn't store, like, there's so many issues that once you've been down that road, and then you're asked to produce an API, you bring that experience with you and you put it into the description that adds so much that yeah. I, I, I, I don't know. How we continue to get that, that experience circulating and get that in front of people. But I think it's really important. Matt Trask: Well, I must wonder too, like how many of those, like experienced API builders are getting swallowed up into Stripe? Twilio, Google. And kind of almost locked away working on their API APIs and not able to share their experiences down the road to junior developers in their own companies or interim networks, things like that too, because it feels like you do your five, seven years as developer, you get pulled into the management game and then all of your knowledge is still there, but you're having to balance both managing a development team, hitting your goals. Pushing out products because you've got to make money for the business. And all of your knowledge that you've worked so hard to gain is kind of sidelined in the name of profits or KPIs or whatever it might be. Matthew Reinbold: Possibly there's, there's certainly exceptions that spring to mind. One of which is Tim Burks and the team over at Google and with the number of resources that they put out there. For their APIs. It's, it's kind of a mouthful, but if you do a Google search for that, they've produced a tremendous amount of documentation about how they support API APIs at scale, how they do their design reviews, how they think about consistency and cohesion across their entire footprint. So that certainly what you described could be the case in some places. You know, I, I, I do think that it's not necessarily the default that's people go off to these big organizations and then just disappear because the folks at Google around Tim and his crew they're doing some great work. Phil Sturgeon: So I've been sat in the room with you having these sort of conversations your last job, Right, Like a center of excellence type stuff. You, you get a bunch of smart people and me together and start talking about what, what would help with these various different problems? Like how do we do APA design reviews? How do we do governance? What standards should we be interested in? So I think sometimes yeah. Experienced developers can get sucked up into these companies and kind of finish and end up having that scale was used for something else. But I, I think companies that have those governance processes, like they're sharing their experience back by creating style guides, by creating programs that they explain how these, how these like API designed life cycles or API life cycle should work. And that's a way that they can essentially. Distribute their experience. So instead of like, I know what to look for when I'm reviewing a poor request, they can create a style guide. That means that everyone will do that. I think the danger there is that when style goes focus on what, instead of why then, then you kind of lose some of that experience because it just seems like arbitrary decisions delivered from upon high. Right. You just get. Do it this way, but, but Y I've read loads of style guides recently. And, and some of them, I should probably show the examples. It's just like, do this. Like, why you don't tell me what to do? You don't my dad, like, it just, I couldn't figure out what they possibly could have meant by it. Cause usually I can look at something. Why might they mean that? Oh, that reminds me of a thing that happened along these lines. They probably got burned by that before, and they want to avoid it, but if you don't see why it just sounds arbitrary and you're not actually teaching anyone on anything, but if you do it right. that that can be really helpful. Matthew Reinbold: Right. And it's also essential that if you're designing these systems like a governance or like a center of excellence that you have the feedback process that you have, the, the communication cycles so that when people do have that kind of. That they have a recourse. It's not a dead end. It's not either you do this or you're punished for it, but oh, if this doesn't make sense, here's who you talk to. Here's how you can escalate your concern here is how you elevate your edge case. And we can have a discussion about it and you can help co-evolve this thing, because you own this as much as somebody else, the, the phenomenon that you described, where it's a dead end. It's thrust upon you. You don't have ownership of that. And as a developer, that does not feel good, that does not invest you in seeing the long-term growth of, of that system. You want to burn that system. You want to be the rebels flying through the death star trench. You want to take that thing down? So what's essential is to realize. You provide the avenues for people to, to voice their concerns, voice their questions, and make them feel heard in such a way that their process, the process is theirs. It's not something done to them. It's it's their process. Phil Sturgeon: I'm just laughing about the death star rebel situation. Now I'm completely distracted. I need to go rewatch some star wars. I don't know. Matt Trask: I mean, your, your thought on the ownership thing is also interesting cause And we like watching the junior Twitter, the junior developer Twitter circles, which is not the end all be all of it all, but there is a large emphasis on if you want to make more money, you need to jump ship every two years on average. And that kind of removes the does or not the desire, but like the, the ownership of any sort of product from a junior developer, because in two years, they're going to be onto another thing. They're going to be onto another system. Codebase, maybe another language and it, it does kind of bring back, like, how do you entice people to have ownership, even if they only are going to plan to say somewhere for a short period? Because we all know that like having, like you said, having that ownership is going to kind of make you more invested, more caring, more thoughtful, more empathetic towards whatever it is that you're building. Matthew Reinbold: Right. I mean, we're veering into management territory, which I'm happy to talk about. I, I know. Matt Trask: very allergic to management. So. Matthew Reinbold: But I, I was just reading Harvard business review. Hey, I'm fun at parties too. So I was reading Harvard business review talking about COVID and the great resignation and the, the management challenges that, that come with that and what we need more. In all companies is a feeling of belonging, a feeling like we have a career progression feeling like our, our, our work has impact and all too often management, just as about making sure people don't do dumpster. Right. You know, I'm, I'm here to police you because the organization doesn't trust you. And it leads to all kinds of weird effects. Like, Hey, if you actually want to grow your career, you need to leave. You need to hop companies every two years and let's be clear that may work, but it's still very disruptive, not just for the company, but for the individual. 'cause they're having to rebuild all of those social structures, their relationships, their patterns, the routines it, it's not, it doesn't come for free. And so from a management standpoint, if you can show people how to have that fulfilling career, how to fulfill those needs. They don't have to jump ship every two years. There's no reason that that has to be the default blueprint. And from a company standpoint, you actually benefit from that accrued experience rather than having a developer. That's done the same thing. Five times you get five years of experience. That's really powerful, really tremendous. And that, that ultimately not only leads to better APIs, but leads to a better employee. So there is a disconnect we need to work with our management layers. It shouldn't just be the technician that has some headcount is by default manager. There needs to be an appreciation for how those are unique skill sets. Those are unique muscles that need to be exercised, but. If we can create that fulfilling sense of duty then, and that the career path for these individuals, we can get them off of this kind of binge and purge career treadmill. Matt Trask: So that's a really, yeah, that's a really good way to put the whole two year turn. And I mean, it comes back full circle to what you just said earlier, which is, you know, 75% of API has been developed now or done by people with less than five years experience. And that's probably because of the same, people are jumping, jumping, jumping. Whereas if you can keep them around, make them happy, make them feel like they belong. We might actually start seeing that number. Dropped significantly to more experienced API developers building more thoughtful API design with, with years of knowledge built up. So I think it'll be really interesting to see kind of what happens with this great resignation how that all shapes up. And then it'll be interesting to see to kind of the 2022 say the API report. How does that. How, how will things change from a year in a year going forward? And what can we expect possibly looking at these two years, the next five years after that, the next 10 years growing on different trends, you know, we might see NFTs ruling the world. We might see graph QL. Rolling. Phil Sturgeon: No comment. Matt Trask: Matthew is kind of shrugging Phil Sturgeon: we're all sad. Now, rural sat now, NFTs powered by graft UL, problem solved. Can you, can you still right click that? No, you can't. It's like a post. So. Matt Trask: Well, there goes Matthew Reinbold: Each unique query is published as an innovator. And you can put the ownership of that query in a blockchain so that you don't have the centralized point of failure. Phil Sturgeon: I was going to thank you for being for, for making this podcast sound intelligent for once. And, Matthew Reinbold: And then I ruined it. Sorry. Phil Sturgeon: and then you. Matt Trask: no, no, no, you didn't ruin it. You just brought it back down to its normal level of ridiculousness. Phil Sturgeon: Fantastic. No. Do you have any predictions for what we're going to see in the, in next year's state of this report? Because then we can play that clip back and laugh at how wrong you were. Matthew Reinbold: Oh, lovely. All right, well, let me have a few minutes to sandbag my answer. No, I think there's a tremendous amount of, of areas where we can take this correlation that I talked about before behaviors. You know how the question immediately becomes well, okay. If these four behaviors are so good and are present in high-performing API companies, how do we get there? And this year we had a little bit around leadership and what leaders do. To get an API first company. I think there is a lot of exploration we can do there to really dial in and say, okay, we know these things are good. How do you get there? How do you promote these things? How do you, how do you get it so that you are able to deploy in a minimal amount of time or recover faster? What are leaders in those organizations doing? That's one of the things I'd love to dig into obviously. A lot of post pandemic aftermath. There's been a tremendous amount of published about how this digital transformation and, you know, we're so much more flexible and adaptable because we, we are now doing all our conversations over zoom. And I look at that and I, I scratch my head because. Digital transformation, at least in the non buzzword compliant way is a whole lot more difficult than just moving everything to a slack conversation or a, or a zoom conversation. Like it means fundamentally dismantling your policies and procedures and reinventing them in a way that digital technology lends itself to. So figuring out what that post pandemic landscape looks like and how we're still feeling the knock on effect. Is going to be something that's also going to be very interesting to explore. Matt Trask: Yeah, that's definitely true. I mean, I think one thing I would like to see is, is that number of people who know open API, but don't use it start to gradually shift down and people who are using open. Start to shift up, which, you know, from a silver right back to having documentation and some sort of notes about their API. So when the, the knowledge people do eventually leave because everyone leaves the company at some point, the knowledge isn't necessarily leaving. And instead we're, we're kind of leaving a better legacy to the people following us. Yeah, definitely. Matthew Reinbold: Here here. Matt Trask: Cool. Matthew, thank you so much for taking some time out of your, your, your day to talk to us. We really appreciate it. Look forward to having you back in roughly a year's time to talk 20, 22. Say the API report Matthew Reinbold: I love it. Let's do it. Pencil it in right now. Matt Trask: Yep. It's it's on my calendar. I don't know what I'll be doing in a year from today, but I know for a fact we'll be talking again. If you want to get. Matthew on Twitter. He is at libel Vox, L I B E L underscore V O X M. And we'll throw the link to your blog and Twitter in the show notes as well as everything else. Awesome. Cool. Thank you so much. We appreciate it. Phil Sturgeon: Yeah. All audio, artwork, episode descriptions and notes are property of APIs You Won't Hate, for APIs You Won't Hate, and published with permission by Transistor, Inc. Broadcast by | 2026-01-13T08:47:43 |
https://golf.forem.com/t/mentalgame | Mentalgame - Golf Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Golf Forem Close # mentalgame Follow Hide The psychological side of golf, including focus, confidence, and mindset Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Golf.com: Warming Up with Jon Rahm and Tyrrell Hatton YouTube Golf YouTube Golf YouTube Golf Follow Jul 10 '25 Golf.com: Warming Up with Jon Rahm and Tyrrell Hatton # golfyoutube # livgolf # rydercup # mentalgame Comments Add Comment 1 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Golf Forem — A community of golfers and golfing enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:47:43 |
https://stackoverflow.com/questions?tab=Active | Recently Active Questions - Stack Overflow Skip to main content Stack Overflow About Products For Teams Stack Internal Implement a knowledge platform layer to power your enterprise and AI tools. Stack Data Licensing Get access to top-class technical expertise with trusted & attributed content. Stack Ads Connect your brand to the world’s most trusted technologist communities. Releases Keep up-to-date on features we add to Stack Overflow and Stack Internal. About the company Visit the blog s-popover#show" data-s-popover-placement="bottom-start" /> Loading… current community Stack Overflow help chat Meta Stack Overflow your communities Sign up or log in to customize your list. more stack exchange communities company blog Log in Sign up Home Questions AI Assist Tags Challenges Chat Articles Users Companies Collectives Communities for your favorite technologies. Explore all Collectives Stack Internal Stack Overflow for Teams is now called Stack Internal . Bring the best of human thought and AI automation together at your work. Try for free Learn more Stack Internal Bring the best of human thought and AI automation together at your work. Learn more Collectives™ on Stack Overflow Find centralized, trusted content and collaborate around the technologies you use most. Learn more about Collectives Stack Internal Knowledge at work Bring the best of human thought and AI automation together at your work. Explore Stack Internal Recently Active Questions Ask Question 24,180,138 questions se-uql#toggleEditor"> Newest Active Bountied 12 Unanswered More Bountied 12 Unanswered Frequent Score Trending Week Month Unanswered (my tags) Filter Filter by No answers No upvoted or accepted answers No Staging Ground Has bounty Days old Sorted by Newest Recent activity Highest score Most frequent Bounty ending soon Trending Most activity Tagged with My watched tags The following tags: Apply filter Cancel 0 votes 0 answers 4 views Proto encoding for message with packed repeated elements Quite new to protobuf so hope the question isn't too basic. Can someone please help explain the example that is used in https://protobuf.dev/programming-guides/encoding/ repeated elements which I can'... encoding protocol-buffers proto3 packed Atilla Mete Turedi 1 asked 2 mins ago 1 vote 1 answer 224 views AppImage updates conflicts with its .desktop file I have a couple of AppImage files in my system (Fedora38). I need all of those AppImage icons in my app tray. I manually created the .desktop files, and it works fine. But when an app gets updated, ... linux package appimage Florian Kusche 173 answered 2 mins ago 2 votes 1 answer 391 views uint64_t: Division with rounding I'm trying to create a code which divides a uint64_t by another uint64_t plus it applies rounding to the result. The code should be as fast as possible and work for all inputs (e.g. I would prefer it ... c gcc rounding division integer-division phuclv 43.3k modified 4 mins ago 0 votes 0 answers 11 views Is it a bad practice to have a Scaffold as a child of a ListenableBuilder I am currently building a Flutter app for a company I am working for, and I was doing some code refactoring that implied moving a Scaffold as a child of a ListenableBuilder . And I was wondering if it ... flutter Code Error 1 modified 5 mins ago 17 votes 2 answers 6k views How can get READY, STATUS, RESTARTS, AGE,etc in kubectl as custom-columns? I just want to list pods with their .status.podIP as an extra column. It seems that as soon as I specify -o=custom-colums= the default columns NAME, READY, STATUS, RESTARTS, AGE will disappear. The ... kubernetes kubectl Ivan 7,540 answered 7 mins ago 0 votes 0 answers 12 views removing inline javascript failing A rails 7.1 view file runs with in-line javascript as follows. <script> var autoComplete = (function(){ [ ... contents of .js file. see below] </script> <%= javascript_tag do %> ... javascript ruby-on-rails stimulus-rails Jerome 6,357 asked 7 mins ago 0 votes 0 answers 8 views Claude AI suddenly can’t read files inside folders from GitHub repos I’ve been using Claude AI daily for the past ~2 months to analyze GitHub repositories with similar structure (Android/Gradle projects), and it worked fine. Today, Claude can still see the repo and ... github claude Ho Quang Lam 130 asked 8 mins ago 175 votes 9 answers 189k views How to unfork a GitHub repository? How can I unfork a GitHub repository? I have never seen unfork option — is it possible to do that? github Aryan Bhasein 1 answered 9 mins ago 0 votes 2 answers 1k views Run two applications in Heroku and connect them using the PostgreSQL database I am trying to build a full-stack web application using Python and Heroku. There are two apps and they are connected using a common database (Heroku Postgres). The backend app streams live tweets from ... python postgresql heroku tweepy plotly-dash Ashwith kunder 1 answered 10 mins ago 1 vote 0 answers 9 views Shared Preferences lost on flutter edge browser I save my filters in sharedPreferences, in the app and in web-browser daily use its fine , it gets save even on browser/app close. But overnight it gets lost on edge in all mobile device : final prefs ... flutter sharedpreferences flutter-sharedpreference Munsif Ali 8,034 modified 11 mins ago 1 vote 0 answers 30 views Push notifications no longer appear in IntelliJ IntelliJ IDEA no longer shows push status notifications. No balloon, no item in the notification panel. Commit notifications are still listed in the panel. It's inconvenient since I have to manually ... git intellij-idea Sergey Zolotarev 2,745 modified 11 mins ago 2 votes 0 answers 9 views Vue/Element Plus - Keyboard navigation in El-Tree I am trying to make use of the Vue content library Element Plus, more specifically of its El-Tree component, but I need to make it functional with a keyboard and this has proven more challenging than ... vue.js vuejs3 accessibility element-plus Avaloja 11 asked 14 mins ago -1 votes 2 answers 86 views Why do we need 1=1 in URL SQL injection? I was doing the first PortSwigger SQL injection lab, where the goal is to display all “Gifts” products regardless of whether they are released or not. The official solution is to inject the following ... sql oracle-database security sql-injection Jonathan Willcock 5,430 answered 14 mins ago 0 votes 0 answers 6 views Trying to build flutter engine with custom dart sdk I was able to correctly compile the flutter windows engine and get the file (flutter_windows.dll) with the prebuilt dart sdk, but when I try to use --no-prebuilt-dart-sdk when added to the gn tool to ... flutter dart sdk flutter-engine Titoot 120 asked 14 mins ago 17 votes 3 answers 108k views excel vba : selected cells loop Would like to iterate each row in a selection in excel VBA. I have: Dim rng As Range Dim s As String Set rng = Application.Selection Debug.Print "c :" & rng.Address This prints c :$B$22:$C$29 ... vba excel Sybrand De Vries 1 answered 14 mins ago 26 votes 3 answers 25k views Is there a way to call a function when a SwiftUI Picker selection changes? I would like to call a function when selectedOption's value changes. Is there a way to do this in SwiftUI similar to when editing a TextField? Specifically, I would like to save the selected option ... swift onchange swiftui picker davetw12 1,861 modified 16 mins ago 0 votes 1 answer 14 views Use Microsoft Graph 5.0 SDK to get display name from listitem's LookupId field I have retrieved an item in a list and got the field data, several of fields are users but the return value is a LookupId and I need the display name. Looking online it mainly talks about querying the ... c# sharepoint microsoft-graph-api microsoft-graph-sdks martinm 22.2k modified 18 mins ago -8 votes 0 answers 25 views Can anyone solve these very hard Jeroo challenges? [closed] https://docs.google.com/document/d/1_2y2eg8a5dXHW_KA-UYmVhTJ9fA4lJzRcFmuYcBVIoQ/edit?usp=sharing Can somebody solve all 8 of these Jeroo projects. Share your solutions if you solve it java Zack Tudor 1 asked 19 mins ago 0 votes 2 answers 36 views Parsing an XML column in T-SQL with a colon in the XML Structure I have a column of XML data in SQL Server that I'm trying to parse into columns. The start of the XML data looks something like: <DataSet xmlns="google.com"> <diffgr:diffgram ... sql-server xml t-sql Guillaume Outters 7,617 modified 19 mins ago -1 votes 1 answer 33 views Is it necessary your python function should have retun in? def odd_or_even(n): if n % 2 != 0: return "Odd" else: return "Even" #Here I wrote a function which checks wheter the number is odd or even using if ... python adshin21 186 answered 20 mins ago Tooling 0 votes 5 replies 31 views Large build size for Electron app using vite and electron-builder due to node_modules I have an Electron app that I build using webpack + electron-forge. I consider to migrate to vite + electron-builder. The migration succeeded quite smoothly, and dev experience with vite is way better ... webpack electron vite electron-builder electron-forge Arkellys 8,048 answered 23 mins ago 0 votes 0 answers 8 views Houdini not able to pull schema. "ERROR: couldn't pull your schema: resp.text is not a function" I have a SvelteKit project where i am trying to query a GraphQL endpoint and get end to end typesafety using Houdini. I run npx houdini init in my repository and get the following error: ⚠️ Couldn't ... typescript graphql sveltekit Jayant Godse 1 asked 23 mins ago 0 votes 1 answer 2k views libEGL warning: MESA-LOADER: failed to open swrast I am using WSL on Windows 11. Inside WSL, I have created an Anaconda environment, through which I launch Jupyter Lab. I am trying to use OpenCV to load an avi video file into my code and read its ... python ubuntu windows-subsystem-for-linux jupyter-lab Mo_ 2,117 answered 24 mins ago Advice 0 votes 2 replies 5 views Run command (simpleBrowser.show) in response to task output? Is it possible to run a VS Code command in response to the output of an external command run via a task? Specifically, I have a task triggered by a keyboard shortcut which runs an external command, ... visual-studio-code vscode-tasks A. Donda 8,494 answered 26 mins ago 0 votes 1 answer 53 views AttributeError: module 'utils3d' has no attribute 'numpy' when running Microsoft MoGe training I am trying to run the training code for the Microsoft MoGe (Monocular Geometry Estimation) model from their GitHub repository. I have set up my environment and installed dependencies, but when I run ... python machine-learning pip pytorch computer-vision Christoph Rackwitz 16.5k modified 27 mins ago -9 votes 0 answers 51 views Can someone do this project [closed] I have tried it, this is very challenging. Can someone do all eight of these KONG projects. Instructions in the link: Donkey Kong Jeroo. Drop the files below after completing them! java Zack Tudor 1 asked 28 mins ago 0 votes 2 answers 45 views Remove bottom of stack in flutter navigation I need to get this to work for both named and unnamed routes. I would like to remove the bottom of the stack if some specific condition is met. I've looked at suggestions and asked ai, but all answers ... flutter navigation AJJ 197 answered 29 mins ago -1 votes 1 answer 321 views Concatenate string array as a multiple criteria for filter I want to concatenate a string array inside a AutoFilter. I just used macro recorder for this code. I'm trying to get the same output of this and i don't want to brute force all of the possible ... excel vba Qualitcert 1 modified 31 mins ago -2 votes 0 answers 33 views Next/Node stops responding to POST requests after a few minutes I have a Next app deployed on my EC2 paired with nginx, pm2. When my deployment script restarts Next with pm2, all is well, however, after 2-15 minutes, all POST routes stop responding and they ... node.js nginx next.js pm2 Ivan Shatsky 16.2k modified 35 mins ago 3 votes 2 answers 94 views Shorthand to "reuse" object obtained from List? I have a line of code like so: return listOfObjects[Index].param1 == "test1" && listOfObjects[Index].param2 == "test2" ? listOfObjects[Index] : null; Instead of ... c# list wohlstad 36.8k modified 36 mins ago 1 vote 1 answer 9k views Tailwind css hover not changing text color I am completely new to this tailwindcss and I have been stuck at this problem for the entire day. I am so frustrated. Here is my code <button className="bg-yellow-500 px-4 py-2 hover:text-... css colors hover tailwind-css Community Bot 1 modified 38 mins ago 0 votes 3 answers 14k views make an ImageView with rounded corners? rounded corners of cardview I want to make the interface as shown above. The images are not fixed, which means I can transfer images to other. I want to use pakage in xml file. Something like, <... android xml android-layout user-interface rounding Community Bot 1 modified 38 mins ago 7 votes 1 answer 12k views Uncaught Error: [Ext.create] Unrecognized class name / alias: MyApp.store.LibraryFolderTreeStore I'm migrating ext js 4 to ext js 5.1 .I have code in my extjs 4.2.1 which is giving console error after upgrading to extjs 5.1 .It was working good in ExtJs 4.2.1, don't know why it is giving error, ... javascript extjs extjs4 extjs5 Community Bot 1 modified 38 mins ago 6 votes 1 answer 12k views Repeated log : Warn Transport Connection to tcp:<ip> failed: java.net.SocketException: Connection reset I am running ActiveMQ 5.9.0 release on my local machine for dev purposes (Windows 7). I am using AMQP as the protocol and Apache qpid as the client to consume messages (publish subscribe) from ... activemq-classic Community Bot 1 modified 38 mins ago -3 votes 0 answers 69 views Unable to customize styles in borders, colors, selected date, other month days when use inline datepicker [closed] I'm trying to customize the Flowbite inline datepicker using Tailwind CSS in a pure HTML environment, but most of the styles I apply are not taking effect. I'm unable to customize the following: ... javascript html css tailwind-css flowbite rozsazoltan 19.1k modified 40 mins ago -1 votes 0 answers 38 views How to insert the following diagram in MSE? [closed] How to insert the following diagram in a MathStackExchange post ? \begin{tikzcd}[column sep=2cm, row sep=1.8cm] & S \arrow[d,"j_{S}"]\arrow[ddr,"\varphi_S"] \\ T\arrow[r,&... mathjax tikz mkrieger1 24.3k modified 41 mins ago 0 votes 2 answers 7k views Woocommerce Product images not showing on product page Hope you are doing well, my site is www.coutlet.com, it's working fine but when I open any product page, the images are not showing. I've tried enabling disabling almost every plugin but that doesn't ... wordpress woocommerce Suplanus 1,621 answered 41 mins ago 2 votes 1 answer 801 views How use the @c8y/client library I am testing the new @c8y/client library for typescript. I have a very simple code : import { Client } from '@c8y/client'; //const baseUrl = 'https://bismark1.cumulocity.com/'; const baseUrl = '... javascript cumulocity emi 3,108 modified 41 mins ago 7 votes 3 answers 26k views Date object in Cucumber I have a cucumber stepdef like this Given the date of <date> When blah blah Then x y and z Examples: |2015-01-01| |2045-01-01| When I generate stepdefs off of this, I get @Given("^the date of (\... java cucumber gherkin Julien Kronegg 5,396 modified 42 mins ago -3 votes 1 answer 63 views Rescale SVG to a Target size I have a number of SVGs that have been produce, as an example: <?xml version="1.0" encoding="UTF-8"?> <svg id="Layer_1" data-name="Layer 1" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 ... svg herrstrietzel 19.6k modified 43 mins ago 2 votes 3 answers 459 views When a canvas path intersects in a certain way, it is not drawn When a path is filled on the canvas, depending on the way the path was created, the path intersections are painted with the fill color or left blank. Here is an example: http://jsfiddle.net/C3Hbb/ //... javascript canvas Normajean 1,323 modified 46 mins ago -1 votes 1 answer 2k views How do I add the Satoshi custom font to my React Native Expo app? (Expo SDK, fonts not loading / error after install) Environment: Expo (state SDK version), React Native, platform(s) affected (Android / iOS / web). What I did: I copied the Satoshi font files into my project and followed a YouTube tutorial to load ... javascript android ios react-native fonts Surendhar S 131 modified 47 mins ago 0 votes 0 answers 40 views Hosting Ansible Playbook using Docker So I been working on an Ansible based project which basically handles the application/firmware upgrade from a Centralised Ansible Server connecting to hundreds of thousands of Linux Application ... linux docker ansible amitk 161 modified 47 mins ago -2 votes 0 answers 32 views Capturing sudoku but Selenium didn't find it with Chrome in HTML I'm trying to capture this sudoku with Selenium and Python after accepting the cookie. With this code I could accept the cookie in the iframe and write the main site to the output.html for debugging: ... python selenium-webdriver cookies iframe jonrsharpe 123k modified 48 mins ago -1 votes 2 answers 69 views Creating employee ID with a fixed prefix and auto-increment number in MySQL (without triggers) Environment: MySQL 8.x (or MySQL-compatible RDBMS) Goal: Generate employee IDs like EMP0001, EMP0002, ... automatically when inserting rows, without using database triggers. What I tried: Considered ... sql mysql database mysql-workbench Surendhar S 131 modified 48 mins ago -5 votes 1 answer 55 views How to inspect DSLContext.select() for what JOIN tables exist? How can I get, for a DSLContext.select() query object, before I fetch the results, what JOIN tables exist, and other metadata like that? Basically I want to have helper functions that will add sorting,... jooq Lukas Eder 224k answered 48 mins ago 1 vote 1 answer 349 views Ugly Fonts in Java Swing - How to set antialiasing? I'm creating a modern-looking program with a cool GUI, but Java prevents me from doing that by showing a eye-burning text presentation. Here's how it looks like: . Look at the numbers, they are shaped ... java swing antialiasing hobbyDude 1 answered 50 mins ago -2 votes 1 answer 312 views Android app receives unreadable BLE characteristic bytes from ESP32 — how to pack and decode correctly? [closed] Environment: Android (Kotlin) central using BluetoothGatt; ESP32 peripheral (Arduino BLE library). What I did: Connected and enabled notifications; receiving data in onCharacteristicChanged(). ... android android-studio bluetooth-lowenergy esp32 arduino-esp32 Surendhar S 131 modified 51 mins ago 0 votes 0 answers 32 views Why do Tkinter apps running under uv have strange fonts? I have a simple Tkinter app: import tkinter as tk from tkinter import ttk def main() -> None: root = tk.Tk() root.title('Hello world') label = ttk.Label(root, text='Hola Mundo') ... python tkinter uv cachyos jonrsharpe 123k modified 52 mins ago Advice 1 vote 3 replies 26 views Why are MCPs needed at all? I've read the anthropic announcement about MCPs where it's supposed to be a protocol that standardizes how agentic software invokes other tooling within the systems so developers would not need to ... model-context-protocol anthropic Stephen C 724k answered 53 mins ago 15 30 50 per page 1 2 3 4 5 … 483603 Next The Overflow Blog Now everyone can chat on Stack Overflow Vibe code anything in a Hanselminute Featured on Meta A proposal for bringing back Community Promotion & Open Source Ads Community Asks Sprint Announcement – January 2026: Custom site-specific badges! Policy: Generative AI (e.g., ChatGPT) is banned Modernizing curation: A proposal for The Workshop and The Archive All users on Stack Overflow can now participate in chat Collectives see all Google Cloud 67k Members Join A collective for developers who utilize Google Cloud’s infrastructure and platform capabilities. This collective is organized and managed by the Stack Overflow community. AWS 37k Members Join A collective for developers who utilize Amazon Web Services' infrastructure and platform capabilities. The AWS Collective is organized and managed by the Stack Overflow community as a resource for developers. Microsoft Azure 29k Members Join A collective for developers to engage, share, and learn about Microsoft Azure’s open-source frameworks, languages, and platform. This collective is organized and managed by the Stack Overflow community. Hot Network Questions I found a paper that basically covers my whole thesis Are the YouTube channel Courts & Crimes's shorts AI-generated deep fakes? Mig Welding a Nut to a Sched 40 Galvanized Pipe Regenerative currents and back-EMF What makes Certificate-Based Authentication phishing resistant? 1980s book about a woman who time-travels throughout her life How to Create an Abstract Network Animation with Moving Light Pulses in Blender? Which sefer of Rabbi Elchonon Wasserman is this from The book of James does not really allude to the Holy Spirit. (James 4:5 maybe.) Is this "lack" intentional for some reason? What's up with the constant barrage of Public Safety Alerts in Korea, and is there any way to opt out? Eilenberg–Watts for module spectra What are some lethal human-error mistakes on a realistic deep-space vessel? Are the historical Linux device namespace limits (e.g. the 15-partition limit per /dev/sdX) still applicable when using GPT on modern Linux kernels? Can I pigtail #14/2 wire off #8/3 gauge to run 3 receptacles? Shofars made from rams sacrificed for Eid al-Adha? Selecting non-white/non-black color for any given background color A Simple Command-Line Calculator with Input Validation in Python What are some commonly taught inaccuracies in mathematics? Should we correct them? Does this imputation with mice() make sense? What is the purpose of proposing clearly unconstitutional laws? Does the 22° angle in the right triangle seem to correspond to the maximum of this area ratio? What is the species of this seed? The Four-Word Oracle The rigor of the definition of higher derivative more hot questions Stack Overflow Questions Help Chat Business Stack Internal Stack Data Licensing Stack Ads Company About Press Work Here Legal Privacy Policy Terms of Service Contact Us cookie-settings#toggle" class="s-btn s-btn__link py4 js-gps-track -link" data-gps-track="footer.click({ location: 3, link: 38 })" data-consent-popup-loader="footer"> Cookie Settings Cookie Policy Stack Exchange Network Technology Culture & recreation Life & arts Science Professional Business API Data Blog Facebook Twitter LinkedIn Instagram Site design / logo © 2026 Stack Exchange Inc; user contributions licensed under CC BY-SA . rev 2026.1.12.38533 | 2026-01-13T08:47:43 |
https://dev.to/szabgab/perl-weekly-755-does-tiobe-help-perl-a4b | Perl 🐪 Weekly #755 - Does TIOBE help Perl? - 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 Gabor Szabo Posted on Jan 12 • Originally published at perlweekly.com Perl 🐪 Weekly #755 - Does TIOBE help Perl? # perl # news # programming perl-weekly (154 Part Series) 1 Perl 🐪 Weekly #591 - Less than 50% use CI 2 Perl 🐪 Weekly #592 - Perl Blogging? ... 150 more parts... 3 Perl Weekly #593 - Perl on DEV.to 4 Perl Weekly #594 - Advent Calendar 5 Perl Weekly #595 - Happy Hanukkah - Merry Christmas 6 Perl Weekly #596 - New Year Resolution 7 Perl Weekly #597 - Happy New Year! 8 Perl Weekly #598 - TIOBE and Perl 9 Perl Weekly #599 - Open Source Development Course for Perl developers 10 Perl Weekly #600 - 600th edition and still going ... 11 Perl Weekly #601 - The bad apple 12 Perl Weekly #602 - RIP Ben Davies 13 Perl Weekly #603 - Generating prejudice 14 Perl Weekly #604 - P in LAMP? 15 Perl Weekly #605 - Trying to save a disappearing language 16 Perl Weekly #606 - First Love Perl? 17 Perl Weekly #607 - The Perl Planetarium 18 Perl Weekly #608 - Love You Perl!!! 19 Perl Weekly #609 - Open Source and your workplace 20 Perl Weekly #610 - Perl and TPF 21 Perl Weekly #611 - Test coverage on CPAN Digger 22 Perl Weekly #612 - Coming Soon! 23 Perl Weekly #613 - CPAN Dashboard 24 Perl Weekly #614 - Why not Perl? 25 Perl Weekly #615 - PTS - Perl Toolchain Summit 26 Perl Weekly #616 - Camel in India 27 Perl Weekly #617 - The business risks of using CPAN 28 Perl Weekly #618 - Conference Season? 29 Perl Weekly #619 - Maintenance of CPAN modules 30 Perl Weekly #620 - Abandoned modules? 31 Perl Weekly #621 - OSDC - Open Source Development Club 32 Perl Weekly #622 - Perl v5.38 coming soon ... 33 Perl Weekly #623 - perl v5.38.0 was released 34 Perl Weekly #624 - TPRC 2023 35 Perl Weekly #625 - Mohammad Sajid Anwar the new White Camel 36 Perl Weekly #626 - What is Oshun? 37 Perl Weekly #627 - Rust is fun 38 Perl Weekly #628 - Have you tried Perl v5.38? 39 Perl Weekly #630 - Vacation time 40 Perl Weekly #631 - The Koha conference ended 41 Perl Weekly #632 - New school-year 42 Perl Weekly #633 - Remember 9/11? 43 Perl Weekly #634 - Perl v5.39.1 44 Perl Weekly #635 - Is there a Perl developer shortage? 45 Perl Weekly #636 - Happy Birthday Larry 46 Perl Weekly #637 - We are in shock 47 Perl Weekly #638 - Dancing Perl? 48 Perl Weekly #639 - Standards of Conduct 49 Perl Weekly #640 - Perl Workshop 50 Perl Weekly #641 - Advent Calendars 51 Perl Weekly #642 - Perl and PAUSE 52 Perl Weekly #643 - My birthday wishes 53 Perl Weekly #644 - Perl Sponsor? 54 Perl Weekly #645 - Advent Calendars 55 Perl Weekly #646 - Festive Season 56 Perl Weekly #647 - Happy birthday Perl! 🎂 57 Perl Weekly #648 - Merry Christmas 58 Perl Weekly #649 - Happier New Year! 59 Perl Weekly #650 - Perl in 2024 60 Perl Weekly #651 - Watch the release of Perl live! 61 Perl Weekly #653 - Perl & Raku Conference 2024 to Host a Science Track! 62 Perl Weekly #654 - Perl and FOSDEM 63 Perl Weekly #655 - What's new in Perl and on CPAN? What's new in Italy? 64 Perl Weekly #656 - Perl Conference 65 Perl Weekly #657 - Perl Toolchain Summit in 2024 66 Perl Weekly #658 - Perl // Outreachy 67 Perl Weekly #659 - The big chess game 68 Perl Weekly #660 - What's new ... 69 Perl Weekly #661 - Perl Toolchain Summit 2024 70 Perl Weekly #662 - TPRC in Las Vegas 71 Perl Weekly #663 - No idea 72 Perl Weekly #664 - German Perl Workshop 73 Perl Weekly #665 - How to get better at Perl? 74 Perl Weekly #666 - LPW 2024 75 Perl Weekly #667 - Call for papers and sponsors for LPW 2024 76 Perl Weekly #668 - Perl v5.40 77 Perl Weekly #669 - How Time Machine works 78 Perl Weekly #670 - Conference Season ... 79 Perl Weekly #671 - In-person and online events 80 Perl Weekly #672 - It's time ... 81 Perl Weekly #673 - One week till the Perl and Raku conference 82 Perl Weekly #676 - Perl and OpenAI 83 Perl Weekly #677 - Reports from TPRC 2024 84 Perl Weekly #678 - Perl Steering Council 85 Perl Weekly #679 - Perl is like... 86 Perl Weekly #680 - Advent Calendar 87 Perl Weekly #681 - GitHub and Perl 88 Perl Weekly #682 - Perl and CPAN 89 Perl Weekly #683 - An uptick in activity on Reddit? 90 Perl Weekly #685 - LPRW 2024 Schedule Now Available 91 Perl Weekly #686 - Perl Conference 92 Perl Weekly #687 - On secrets 93 Perl Weekly #688 - Perl and Hacktoberfest 94 Perl Weekly #689 - October 7 🎗️ 95 Perl Weekly #690 - London Perl & Raku Workshop 2024 96 Perl Weekly #692 - LPW 2024: Quick Report 97 Perl Weekly #693 - Advertising Perl 98 Perl Weekly #694 - LPW: Past, Present & Future 99 Perl Weekly #695 - Perl: Half of our life 100 Perl Weekly #696 - Perl 5 is Perl 101 Perl Weekly #697 - Advent Calendars 2024 102 Perl Weekly #698 - Perl v5.41.7 103 Perl 🐪 Weekly #699 - Happy birthday Perl 104 Perl 🐪 Weekly #700 - White Camel Award 2024 105 Perl 🐪 Weekly #701 - Happier New Year! 106 Perl 🐪 Weekly #702 - Perl Camel 107 Perl 🐪 Weekly #703 - Teach me some Perl! 108 Perl 🐪 Weekly #704 - Perl Podcast 109 Perl 🐪 Weekly #705 - Something is moving 110 Perl 🐪 Weekly #706 - Perl in 2025 111 Perl 🐪 Weekly #707 - Is it ethical? 112 Perl 🐪 Weekly #708 - Perl is growing... 113 Perl 🐪 Weekly #709 - GPRW and Perl Toolchain Summit 114 Perl 🐪 Weekly #710 - PPC - Perl Proposed Changes 115 Perl 🐪 Weekly #711 - Obfuscating Perl 116 Perl 🐪 Weekly #712 - RIP Zefram 117 Perl 🐪 Weekly #713 - Why do companies migrate away from Perl? 118 Perl 🐪 Weekly #714 - Munging Data? 119 Perl 🐪 Weekly #715 - Why do companies move away from Perl? 120 Perl 🐪 Weekly #716 - CVE in Perl 121 Perl 🐪 Weekly #717 - Happy Easter 122 Perl 🐪 Weekly #719 - How do you deal with the decline? 123 Perl 🐪 Weekly #720 - GPW 2025 124 Perl 🐪 Weekly #721 - Perl Roadmap 125 Perl 🐪 Weekly #723 - Perl Ad Server needs ads 126 Perl 🐪 Weekly #724 - Perl and XS 127 Perl 🐪 Weekly #725 - Perl podcasts? 128 Perl 🐪 Weekly #726 - Perl and ChatGPT 129 Perl 🐪 Weekly #727 - Which versions of Perl do you use? 130 Perl 🐪 Weekly #728 - Perl Conference 131 Perl 🐪 Weekly #729 - Videos from TPRC 132 Perl 🐪 Weekly #730 - RIP MST 133 Perl 🐪 Weekly #731 - Looking for a Perl event organizer 134 Perl 🐪 Weekly #732 - MetaCPAN Success Story 135 Perl 🐪 Weekly #733 - Perl using AI 136 Perl 🐪 Weekly #734 - CPAN Day 137 Perl 🐪 Weekly #735 - Perl-related events 138 Perl 🐪 Weekly #736 - NICEPERL 139 Perl 🐪 Weekly #737 - Perl oneliners 140 Perl 🐪 Weekly #739 - Announcing Dancer2 2.0.0 141 Perl 🐪 Weekly #741 - Money to TPRF 💰 142 Perl 🐪 Weekly #742 - Support TPRF 143 Perl 🐪 Weekly #743 - Writing Perl with LLMs 144 Perl 🐪 Weekly #744 - London Perl Workshop 2025 145 Perl 🐪 Weekly #745 - Perl IDE Survey 146 Perl 🐪 Weekly #746 - YAPC::Fukuoka 2025 🇯🇵 147 Perl 🐪 Weekly #748 - Perl v5.43.5 148 Perl 🐪 Weekly #749 - Design Patterns in Modern Perl 149 Perl 🐪 Weekly #750 - Perl Advent Calendar 2025 150 Perl 🐪 Weekly #751 - Open Source contributions 151 Perl 🐪 Weekly #752 - Marlin - OOP Framework 152 Perl 🐪 Weekly #753 - Happy New Year! 153 Perl 🐪 Weekly #754 - New Year Resolution 154 Perl 🐪 Weekly #755 - Does TIOBE help Perl? Originally published at Perl Weekly 755 Hi there! Dave Cross has an article showing position of Perl on the TIOBE index. As I don't see any up-tick in new subscribers to the Perl Weekly nor do I see any increase in the MetaCPAN activity I keep track of, I doubt that the changes in the position reflects actual changes in the market. However I wonder, could the TIOBE index have an impact on the interest in Perl? How and when could we see that? Speaking of the MetaCPAN report , I'd love if someone sent a PR to the Perl Weekly that would generates same graphs using these numbers. Here is the issue for it. And another comment related to those stats. I just noticed that the No CI column went up from 30-40% to 80-90% in recent weeks. I wonder why? Is it because some changes in the way I am collecting the data or are those real changes? Is it real change? I also just noticed some negative numbers in the No VCS (%) column. That's not good. I guess I have to investigate this. Maybe during one of the Perl code reading and open source contribution events. Enjoy your week! -- Your editor: Gabor Szabo. Announcements New York Perlmongers (NY.PM) New York Perlmongers ( NY.PM ) has a new mailing-list organized as a Google Group. Sign up here . (Note: we are not doing unrequested transfers from our previous mailing list.) NY.PM social event: Thursday, January 15, 6:00 pm EST at Barcade, 148 West 24 St, Manhattan: send-off for a long-time member returning to the U.K. ANNOUNCE: Perl.Wiki V 1.37 Get it, as usual, from his Wiki Haven . Articles Marlin Racing Which of the 7 OOP frameworks of Perl is the fastest? The Perl Claude Agent It's a library that brings the agentic capabilities of Claude Code into your Perl applications. Manwar sending a Pull-Request to JQ::Lite This video was recorded during the most recent Perl code reading and open source contribution event. For links check out the OSDC Perl page and join us at our next event! Perl in the TIOBE Index See also the discussion . DBIx::Class::Async - UPDATE Discussion nfo - a user-friendly info reader Why do you need Perl for this? - asks the first commenter. convert string to regex Allowing your users to put regexes in a configuration file. Is it a good idea? How to do it? MetaCPAN perlmodules.net is (was) down for 1-2 weeks Is the MetaCPAN API changing? The ElasticSearch upgrade on MetaCPAN impaceted a number of other web site, but it seems things are working again. Perl This week in PSC (210) | 2026-01-05 The Weekly Challenge The Weekly Challenge by Mohammad Sajid Anwar will help you step out of your comfort-zone. You can even win prize money of $50 by participating in the weekly challenge. We pick one champion at the end of the month from among all of the contributors during the month, thanks to the sponsor Lance Wicks. The Weekly Challenge - 356 Welcome to a new week with a couple of fun tasks "Kolakoski Sequence" and "Who Wins". If you are new to the weekly challenge then why not join us and have fun every week. For more information, please read the FAQ . RECAP - The Weekly Challenge - 355 Enjoy a quick recap of last week's contributions by Team PWC dealing with the "Thousand Separator" and "Mountain Array" tasks in Perl and Raku. You will find plenty of solutions to keep you busy. Mountain Separator The post demonstrates an idiomatic and compact use of Raku for typical programming challenges. It balances expressive language features with clarity, though readers unfamiliar with hyperoperators and the pipeline style might need supplemental explanation. Perl Weekly Challenge: Week 355 Technically solid, readable, and well-structured. The solutions are both correct and practical, illustrating good problem decomposition and Perl/Raku coding style. Separated Mountains Efficient and idiomatic Perl for the thousand separator using a classic unpack pattern.️ A formally defined mountain array solution with vectorised and language-diverse implementations. number formatting and sorting This is a well‑engineered, comprehensive, and professionally presented technical write‑up that goes beyond minimal solutions to showcase how to solve the Weekly Challenge across ecosystems. It favors clarity and breadth over micro‑optimizations, making it valuable for learners and polyglot developers alike. Perl Weekly Challenge 355 The solutions for Weekly Challenge #355 are technically strong, correct, and efficient. Task 2 (Mountain Array) leverages PDL for vectorized comparisons, producing a concise, single-pass check for mountain arrays while correctly handling edge cases such as plateaus and short arrays. Thousand Mountains This is technically excellent, showing a high level of Perl proficiency, algorithmic awareness, and performance consciousness. Both tasks are solved correctly, with multiple alternative implementations explored and benchmarked, demonstrating a thoughtful and professional approach rather than a "just pass the tests" mentality. Oh to live on Array Mountain… This post is a strong, well-executed multi-language technical write-up that emphasizes algorithmic reasoning, clarity of transformation, and comparative programming paradigms over minimalism or raw performance. Thousands of mountains This submission demonstrates strong problem understanding, solid algorithmic choices, and pragmatic Perl coding. The solutions are intentionally explicit, readable, and correct, favoring clarity and single-pass logic over clever one-liners. Both tasks are handled with approaches that scale reasonably and align well with Perl’s strengths. The Weekly Challenge #355 This submission is technically strong, correct, and deliberately written for clarity and maintainability rather than brevity. It reflects an experienced Perl programmer who values explicit logic, readable structure, and thorough documentation. Mountains by the Thousand This is a thoughtful, well-structured solution to both Weekly Challenge tasks, with a clear emphasis on explicit logic and state-based reasoning rather than relying on library tricks. Roger demonstrates good cross-language fluency and a solid grasp of algorithm design. Commify every mountain This post delivers clean, pragmatic, and idiomatic solutions to both tasks in The Weekly Challenge #355. It emphasizes using the right tool for the job, clarity, and efficiency over algorithmic novelty. Weekly collections NICEPERL's lists Great CPAN modules released last week . Events Perl Maven online: Live Open Source contribution January 24, 2025 Boston.pm - online February 10, 2025 German Perl/Raku Workshop 2026 in Berlin March 16-18, 2025 You joined the Perl Weekly to get weekly e-mails about the Perl programming language and related topics. Want to see more? See the archives of all the issues. Not yet subscribed to the newsletter? Join us free of charge ! (C) Copyright Gabor Szabo The articles are copyright the respective authors. perl-weekly (154 Part Series) 1 Perl 🐪 Weekly #591 - Less than 50% use CI 2 Perl 🐪 Weekly #592 - Perl Blogging? ... 150 more parts... 3 Perl Weekly #593 - Perl on DEV.to 4 Perl Weekly #594 - Advent Calendar 5 Perl Weekly #595 - Happy Hanukkah - Merry Christmas 6 Perl Weekly #596 - New Year Resolution 7 Perl Weekly #597 - Happy New Year! 8 Perl Weekly #598 - TIOBE and Perl 9 Perl Weekly #599 - Open Source Development Course for Perl developers 10 Perl Weekly #600 - 600th edition and still going ... 11 Perl Weekly #601 - The bad apple 12 Perl Weekly #602 - RIP Ben Davies 13 Perl Weekly #603 - Generating prejudice 14 Perl Weekly #604 - P in LAMP? 15 Perl Weekly #605 - Trying to save a disappearing language 16 Perl Weekly #606 - First Love Perl? 17 Perl Weekly #607 - The Perl Planetarium 18 Perl Weekly #608 - Love You Perl!!! 19 Perl Weekly #609 - Open Source and your workplace 20 Perl Weekly #610 - Perl and TPF 21 Perl Weekly #611 - Test coverage on CPAN Digger 22 Perl Weekly #612 - Coming Soon! 23 Perl Weekly #613 - CPAN Dashboard 24 Perl Weekly #614 - Why not Perl? 25 Perl Weekly #615 - PTS - Perl Toolchain Summit 26 Perl Weekly #616 - Camel in India 27 Perl Weekly #617 - The business risks of using CPAN 28 Perl Weekly #618 - Conference Season? 29 Perl Weekly #619 - Maintenance of CPAN modules 30 Perl Weekly #620 - Abandoned modules? 31 Perl Weekly #621 - OSDC - Open Source Development Club 32 Perl Weekly #622 - Perl v5.38 coming soon ... 33 Perl Weekly #623 - perl v5.38.0 was released 34 Perl Weekly #624 - TPRC 2023 35 Perl Weekly #625 - Mohammad Sajid Anwar the new White Camel 36 Perl Weekly #626 - What is Oshun? 37 Perl Weekly #627 - Rust is fun 38 Perl Weekly #628 - Have you tried Perl v5.38? 39 Perl Weekly #630 - Vacation time 40 Perl Weekly #631 - The Koha conference ended 41 Perl Weekly #632 - New school-year 42 Perl Weekly #633 - Remember 9/11? 43 Perl Weekly #634 - Perl v5.39.1 44 Perl Weekly #635 - Is there a Perl developer shortage? 45 Perl Weekly #636 - Happy Birthday Larry 46 Perl Weekly #637 - We are in shock 47 Perl Weekly #638 - Dancing Perl? 48 Perl Weekly #639 - Standards of Conduct 49 Perl Weekly #640 - Perl Workshop 50 Perl Weekly #641 - Advent Calendars 51 Perl Weekly #642 - Perl and PAUSE 52 Perl Weekly #643 - My birthday wishes 53 Perl Weekly #644 - Perl Sponsor? 54 Perl Weekly #645 - Advent Calendars 55 Perl Weekly #646 - Festive Season 56 Perl Weekly #647 - Happy birthday Perl! 🎂 57 Perl Weekly #648 - Merry Christmas 58 Perl Weekly #649 - Happier New Year! 59 Perl Weekly #650 - Perl in 2024 60 Perl Weekly #651 - Watch the release of Perl live! 61 Perl Weekly #653 - Perl & Raku Conference 2024 to Host a Science Track! 62 Perl Weekly #654 - Perl and FOSDEM 63 Perl Weekly #655 - What's new in Perl and on CPAN? What's new in Italy? 64 Perl Weekly #656 - Perl Conference 65 Perl Weekly #657 - Perl Toolchain Summit in 2024 66 Perl Weekly #658 - Perl // Outreachy 67 Perl Weekly #659 - The big chess game 68 Perl Weekly #660 - What's new ... 69 Perl Weekly #661 - Perl Toolchain Summit 2024 70 Perl Weekly #662 - TPRC in Las Vegas 71 Perl Weekly #663 - No idea 72 Perl Weekly #664 - German Perl Workshop 73 Perl Weekly #665 - How to get better at Perl? 74 Perl Weekly #666 - LPW 2024 75 Perl Weekly #667 - Call for papers and sponsors for LPW 2024 76 Perl Weekly #668 - Perl v5.40 77 Perl Weekly #669 - How Time Machine works 78 Perl Weekly #670 - Conference Season ... 79 Perl Weekly #671 - In-person and online events 80 Perl Weekly #672 - It's time ... 81 Perl Weekly #673 - One week till the Perl and Raku conference 82 Perl Weekly #676 - Perl and OpenAI 83 Perl Weekly #677 - Reports from TPRC 2024 84 Perl Weekly #678 - Perl Steering Council 85 Perl Weekly #679 - Perl is like... 86 Perl Weekly #680 - Advent Calendar 87 Perl Weekly #681 - GitHub and Perl 88 Perl Weekly #682 - Perl and CPAN 89 Perl Weekly #683 - An uptick in activity on Reddit? 90 Perl Weekly #685 - LPRW 2024 Schedule Now Available 91 Perl Weekly #686 - Perl Conference 92 Perl Weekly #687 - On secrets 93 Perl Weekly #688 - Perl and Hacktoberfest 94 Perl Weekly #689 - October 7 🎗️ 95 Perl Weekly #690 - London Perl & Raku Workshop 2024 96 Perl Weekly #692 - LPW 2024: Quick Report 97 Perl Weekly #693 - Advertising Perl 98 Perl Weekly #694 - LPW: Past, Present & Future 99 Perl Weekly #695 - Perl: Half of our life 100 Perl Weekly #696 - Perl 5 is Perl 101 Perl Weekly #697 - Advent Calendars 2024 102 Perl Weekly #698 - Perl v5.41.7 103 Perl 🐪 Weekly #699 - Happy birthday Perl 104 Perl 🐪 Weekly #700 - White Camel Award 2024 105 Perl 🐪 Weekly #701 - Happier New Year! 106 Perl 🐪 Weekly #702 - Perl Camel 107 Perl 🐪 Weekly #703 - Teach me some Perl! 108 Perl 🐪 Weekly #704 - Perl Podcast 109 Perl 🐪 Weekly #705 - Something is moving 110 Perl 🐪 Weekly #706 - Perl in 2025 111 Perl 🐪 Weekly #707 - Is it ethical? 112 Perl 🐪 Weekly #708 - Perl is growing... 113 Perl 🐪 Weekly #709 - GPRW and Perl Toolchain Summit 114 Perl 🐪 Weekly #710 - PPC - Perl Proposed Changes 115 Perl 🐪 Weekly #711 - Obfuscating Perl 116 Perl 🐪 Weekly #712 - RIP Zefram 117 Perl 🐪 Weekly #713 - Why do companies migrate away from Perl? 118 Perl 🐪 Weekly #714 - Munging Data? 119 Perl 🐪 Weekly #715 - Why do companies move away from Perl? 120 Perl 🐪 Weekly #716 - CVE in Perl 121 Perl 🐪 Weekly #717 - Happy Easter 122 Perl 🐪 Weekly #719 - How do you deal with the decline? 123 Perl 🐪 Weekly #720 - GPW 2025 124 Perl 🐪 Weekly #721 - Perl Roadmap 125 Perl 🐪 Weekly #723 - Perl Ad Server needs ads 126 Perl 🐪 Weekly #724 - Perl and XS 127 Perl 🐪 Weekly #725 - Perl podcasts? 128 Perl 🐪 Weekly #726 - Perl and ChatGPT 129 Perl 🐪 Weekly #727 - Which versions of Perl do you use? 130 Perl 🐪 Weekly #728 - Perl Conference 131 Perl 🐪 Weekly #729 - Videos from TPRC 132 Perl 🐪 Weekly #730 - RIP MST 133 Perl 🐪 Weekly #731 - Looking for a Perl event organizer 134 Perl 🐪 Weekly #732 - MetaCPAN Success Story 135 Perl 🐪 Weekly #733 - Perl using AI 136 Perl 🐪 Weekly #734 - CPAN Day 137 Perl 🐪 Weekly #735 - Perl-related events 138 Perl 🐪 Weekly #736 - NICEPERL 139 Perl 🐪 Weekly #737 - Perl oneliners 140 Perl 🐪 Weekly #739 - Announcing Dancer2 2.0.0 141 Perl 🐪 Weekly #741 - Money to TPRF 💰 142 Perl 🐪 Weekly #742 - Support TPRF 143 Perl 🐪 Weekly #743 - Writing Perl with LLMs 144 Perl 🐪 Weekly #744 - London Perl Workshop 2025 145 Perl 🐪 Weekly #745 - Perl IDE Survey 146 Perl 🐪 Weekly #746 - YAPC::Fukuoka 2025 🇯🇵 147 Perl 🐪 Weekly #748 - Perl v5.43.5 148 Perl 🐪 Weekly #749 - Design Patterns in Modern Perl 149 Perl 🐪 Weekly #750 - Perl Advent Calendar 2025 150 Perl 🐪 Weekly #751 - Open Source contributions 151 Perl 🐪 Weekly #752 - Marlin - OOP Framework 152 Perl 🐪 Weekly #753 - Happy New Year! 153 Perl 🐪 Weekly #754 - New Year Resolution 154 Perl 🐪 Weekly #755 - Does TIOBE help Perl? Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Gabor Szabo Follow Helping individuals and teams improve their software development practices. Introducing testing, test automation, CI, CD, pair programming. That neighborhood. Location Israel Education HUJI - Hebrew University in Jerusalem, Israel; Fazekas in Budapest, Hungary Work CI, Automation, and DevOps Trainer and Consultant at Self Employed Joined Oct 11, 2017 More from Gabor Szabo Perl 🐪 Weekly #754 - New Year Resolution # perl # news # programming Perl 🐪 Weekly #753 - Happy New Year! # perl # news # programming Perl 🐪 Weekly #752 - Marlin - OOP Framework # perl # news # 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:47:43 |
https://dev.to/apisyouwonthatepodcast/funding-open-source-with-dudley-carr-from-stack-aid#main-content | Funding Open Source with Dudley Carr from Stack Aid - 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 APIs You Won't Hate Follow Funding Open Source with Dudley Carr from Stack Aid Jan 23 '23 play Stack Aid - https://www.stackaid.us/ Dudley Carr - @dudley@mastodon.social 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:47:43 |
https://docs.suprsend.com/docs/in-app-inbox-template | In-App Inbox 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 In-App Inbox Template Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Channel Editors In-App Inbox Template OpenAI Open in ChatGPT How to design Inbox template with customisation options like action buttons, tags, pinning, and expiry. OpenAI Open in ChatGPT In-App Inbox notification template, you can add header, body, buttons, avatar and card click action and other advanced configurations like pinning, expiry, tags to customize the view and behaviour of Inbox notification. Designing Template Designing template inside SuprSend is quite intuitive with WYSWYG editors for all channels. We use handlebars as the templating language. You can add variable in the template as {{var}} . We also support handlebars helpers for handling complex template use case like adding if-else condition, showing a default value when variable is absent or handling complex arrays. To create a template, go to SuprSend dashboard -> templates tab and enable Inbox channel. Form fields description Field Type Description Header Single line text field Heading of the message shown in bold at the top of the content. Use it to show the summary of your message like New comment received , Your story has got 30 views Text Multi-line text field Body of your message. This is where the message content will be shown. We support markdown syntax in body field to add links, blockquotes, showing some content in bold etc. All supported markdown syntax in text field are mentioned here. Avatar image public URL in .jpeg , .png format This can be used to show image of the actor as LinkedIn or some static images based on the type of message as used in HubSpot. Subtext Single line text field Subtext is like the footer of your content. It is clickable, so you can use it to show subtle information like in LinkedIn, you would see number of comments and likes in subtext or Jira uses it to show the task’s card number. Action URL http / https URL This is the URL user will be redirected on card click. You can select Open in new tab if you want the link to open in a new tab. Action buttons text - URL pair You can add up to 2 buttons in your template. Buttons can be used to redirect users to a link or perform any inline actions like opening a modal or calling an internal function like Approve button to internally approve the request. Refer Custom click handler to customize click action on a button. You can select Open in new tab if you want the button link to open in a new tab. Supported markdown syntax in text field We support headings , bold , Italic , Blockquotes , Nested Blockquotes , links and code . In-App inbox - advanced configurations (Optional) Tags You can add tags to filter and organize notifications inside multiple tabs . Other than tags, you can filter out tabs based on notification category or notification read status. e.g., show all unread notifications with mentions tag inside Mentions tab. Tags in Inbox template vs Tags in Workflow : Tags added in the Inbox template are used to filter notifications in inbox tabs. Tags in workflow are only used to group or filter similar workflows on the workflow listing page and do not affect inbox filtering. To filter notifications in tabs, you must add tags in the Inbox template and then reference them in your inbox configuration using tags: "your_tag" in the query. Inbox with tabs - All, mentions and replies Pin notification Pinned notifications are shown with a pinned tag on top in your notification list. Enable the switch to pin the notification. You can use this to send critical alerts where you want user to complete some critical action within your platform like finish compliance or renew plan or some limited time offer. Expiry Setting expiry will auto archive the notification when the expiry period is reached. You can use it to send notifications which are relevant till a particular timestamp like limited time offers or reminder to join an upcoming event or set a fixed expiry to all notifications, in general to keep user’s Inbox clean. You can either set fixed or dynamic expiry. Dynamic expiry are computed using data in your event or user properties and can vary for each user. An example of dynamic expiry could be reminder notifications of some upcoming event. You can also show expiry timer on the notification to drive action urgency. Fixed expiry Fixed expiry can be a relative time, like - **d **h **m **s or an absolute timestamp, like 2024-04-01 2:00 pm . Absolute timestamp added in form takes the time in your local timezone. Dynamic expiry In case of dynamic expiry, expiry is computed using the data from your event or user properties. You can add dynamic expiry as handlebars variable, like {{expiry_time}} . Your duration key variable can be computed to either: An ISO-8601 timestamp (e.g. 2024-03-02T20:34:07Z) which must be a datetime in the future, or A relative duration unit, which can be an integer like 50 , considered as duration in seconds. an interval string defined as **d **h **m **s , where d = day, h = hour, m = minutes and s = seconds Show expiry timer Enable it to show expiry timer on your Inbox notification. This helps to drive action urgency. The expiry timer shows in a grey background if the time left is greater than 1 hour and goes red when the difference goes below 1 hour so as to draw user’s attention when the expiry time is near. Expiry timer with different expiry left Adding dynamic content in the template There will always be the case where you would require to add dynamic content to a template, so as to personalise it for your users. To achieve this, you can add variables in the template, which will be replaced with the dynamic content at the time of sending the message. You’ll need to pass these while triggering the communication from one of our frontend or backend SDKs. Here is a step-by-step guide on how to add dynamic content in Inbox: 1 Declaring Variables in the global 'Mock data' button If you are at this stage, it is assumed that you have declared the variables along with sample values in the global Mock data button. To see how to declare variables before using them in designing templates,refer to this section in the Templates documentation . 2 Using variables in the templates Once the variables are declared, you can use them while designing the android push template. We support handlebarsjs to add variables in the template. As a general rule, all the variables have to be entered within double curly brackets: {{variable_name}} If you have declared the variables in the global ‘Mock data’ button, then they will come as auto-suggestions when you type a curly bracket { . This will remove the chances of errors like variable mismatch at the time of template rendering. Note that you will be able to enter a variable name even when you have not declared it inside the Variables button. To manually enter the variable name, follow the handlerbarsjs guide here . Below is an example of how to enter variables in the template design. For illustration, we are using the same sample variable names that we declared in the Templates section: json Copy Ask AI { "array" : [ { "product_name" : "Aldo Sling Bag" , "product_price" : "3,950.00" }, { "product_name" : "Clarles & Keith Women Slipper, Biege, 38UK" , "product_price" : "2,549.00" }, { "product_name" : "RayBan Sunglasses" , "product_price" : "7,899.00" } ], "event" : { "location" : { "city" : "Bangalore" , "state" : "KA" }, "order_id" : "11200123" , "first_name" : "Nikita" }, "product_page" : "https://www.suprsend.com" } 1 Enter a nested variable To enter a nested variable, enter in the format {{var1.var2.var3}} . e.g. to refer to city in the example above, you need to enter {{event.location.city}} 2 Refer to an array element To refer to an array element, enter in format {{var1.[*index*].var2}}. e.g. to refer to product_name of the first element of the array array, enter {{array.[0].product_name}}` 3 In case of a space inside your variable name: Enclose your variable name in square bracket as shown here: {{event.[first name]}} You will be able to see the sample values in the Preview section, as well as in the Live version when you publish a draft. If you cannot see your variable being rendered with the sample value, check one of the following: Make sure you have entered the variable name and the sample value in the Variables button. Make sure you have entered the correct variable name in the template, as per the handlebarsjs guideline. What happens if there is variable mismatch at the time of sending? At the time of sending communication, if there is a variable present in the template whose value is not rendered due to mismatch or missing, SuprSend will simply discard the template and not send that particular notification to your user. Please note that the rest of the templates will be sent. e.g. if there is an error in rendering Android Push template, but email template is successfully rendered, Android Push notification will not be triggered, but email notification will be triggered by SuprSend. Best Practices - notification design Here’s a breakdown of which form fields to use for different types of notifications: Tags act as filters to create Inbox tabs, a useful way to organize notifications. For instance, LinkedIn uses tabs to separate mentions and reactions to your posts in distinct tabs. You can use tabs to differentiate regular updates from more relevant ones. A generic example of tabs for a SAAS application could be All, Product releases and Upcoming events . Learn how to implement tabs in notification here . Expiry : It’s a good practice to add expiry of 15 days or more to all notifications except long lived notifications to maintain clean user inbox. A shorter expiry duration can be set for notifications valid for a limited time, such as webinars and upcoming events. You can also show expiry timer to prompt action urgency. For instance, when you need users to respond to feedback within three days or for events with impending registration closures. The color change of the expiry timer based on remaining time is an effective way to convey urgency. 📘 Avoid adding expiry to long-lived notifications that users might want to reference later, like product updates or blog posts. Pinning is used for notifications that should always show on top until user reads it or completes related action. Examples include compliance-related actions, system updates, or urgent releases requiring app version update. Always combine it with expiry otherwise the notification will always be pinned in user’s inbox until they archive it. Was this page helpful? Yes No Suggest edits Raise issue Previous SMS Template How to design and publish SMS template. Next ⌘ I x github linkedin youtube Powered by On this page Designing Template Form fields description Supported markdown syntax in text field In-App inbox - advanced configurations (Optional) Tags Pin notification Expiry Fixed expiry Dynamic expiry Show expiry timer Adding dynamic content in the template Best Practices - notification design | 2026-01-13T08:47:43 |
https://translations.python.org/ | Python Docs Translation Dashboard Translation Dashboard Build details Translating Simplified Chinese 简体中文 Completion: 99.14% 30-day progress: 0.53% View Contribute Brazilian Portuguese Português brasileiro Completion: 62.17% 30-day progress: 0.44% View Contribute Spanish español Completion: 56.96% 30-day progress: 0.18% View Contribute Korean 한국어 Completion: 48.42% 30-day progress: 0.00% View Contribute Ukrainian українська Completion: 45.45% 30-day progress: 0.00% View Contribute Japanese 日本語 Completion: 44.45% 30-day progress: 0.06% View Contribute Traditional Chinese 繁體中文 Completion: 30.59% 30-day progress: 0.41% View Contribute French français Completion: 28.36% 30-day progress: 0.00% View Contribute Greek Ελληνικά Completion: 11.44% 30-day progress: 0.01% View Contribute Polish polski Completion: 5.58% 30-day progress: 0.02% View Contribute Turkish Türkçe Completion: 4.47% 30-day progress: 0.00% View Contribute Russian Completion: 3.60% 30-day progress: 0.62% Contribute Indonesian Indonesia Completion: 3.32% 30-day progress: 0.00% View Contribute Italian italiano Completion: 3.17% 30-day progress: 0.00% View Contribute Romanian Românește Completion: 2.92% 30-day progress: 0.00% View Contribute Hungarian Completion: 0.85% 30-day progress: 0.00% Contribute Persian Completion: 0.26% 30-day progress: 0.00% Contribute Swedish Svenska Completion: 0.20% 30-day progress: 0.00% View Contribute Arabic Completion: 0.02% 30-day progress: 0.00% Contribute Bengali বাংলা Completion: 0.01% 30-day progress: 0.00% View Contribute Hindi Completion: 0.01% 30-day progress: 0.00% Contribute Marathi Completion: 0.00% 30-day progress: 0.00% Contribute Lithuanian Completion: 0.00% 30-day progress: 0.00% Contribute Last updated on Tuesday 13 January 2026 at 6:51:18 UTC (in 9 minutes and 6 seconds). You can find the scripts used to generate this website on GitHub . You can download the data on this page in JSON format . | 2026-01-13T08:47:43 |
https://docs.suprsend.com/docs/java-sdk | Integrate Java SDK - 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 SDK Overview SuprSend Backend SDK Python SDK Node.js SDK Java SDK Integrate Java SDK Manage Users Objects Send and Track Events Trigger Workflow from API Tenants Lists Broadcast Go SDK SuprSend Client SDK 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 Java SDK Integrate Java SDK Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Java SDK Integrate Java SDK OpenAI Open in ChatGPT Install & Initialize SuprSend Java SDK using your workspace credentials for sending notifications. OpenAI Open in ChatGPT Installation For SDK installation, you’ll have to add the SuprSend jar file. You can include the jar using following two ways: Option 1. As a Maven dependency for maven projects from downloaded jar suprsend-java-sdk is present as a maven dependency on maven central. Add following code to your pom.xml to include the sdk xml Copy Ask AI < dependencies > < dependency > < groupId > com.suprsend </ groupId > < artifactId > suprsend-java-sdk </ artifactId > < version > 0.5.0 </ version > </ dependency > </ dependencies > Option 2. As a jar file for non maven projects Click here to download the latest version of java SDK from releases section and add it as an External Jar in your build path. suprsend-java-sdk is available as a JAR with name- suprsend-java-sdk-0.5.0-jar-with-dependencies.jar JDK version 8 and above is supported Please check your Java development kit version. If it is lower than supported version, upgrade it to the latest version Initialization For initializing SDK, you need WORKSPACE KEY and WORKSPACE SECRET . Request Copy Ask AI import suprsend.Suprsend; Suprsend suprsend = new Suprsend ( "WORKSPACE KEY" , "WORKSPACE SECRET" ); Replace WORKSPACE KEY and WORKSPACE SECRET with your workspace values. You will get both the tokens from Developers -> API Keys section. Constructor to test SDK in debug mode Constructor allows you to view HTTP calls to Suprsend in your console. The final parameter is a boolean parameter which denotes whether value for “debug” is true or false. Default value for the same is false. Request Copy Ask AI import suprsend.Suprsend; Suprsend suprsend = new Suprsend ( "WORKSPACE KEY" , "WORKSPACE SECRET" , true ); Was this page helpful? Yes No Suggest edits Raise issue Previous Manage Users Manage user profiles and communication channels programmatically with the Java SDK. Next ⌘ I x github linkedin youtube Powered by On this page Installation Initialization Constructor to test SDK in debug mode | 2026-01-13T08:47:43 |
https://dev.to/privacy#9-supplemental-notice-for-nevada-residents | Privacy Policy - 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 Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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:47:44 |
https://tools.google.com/dlpage/gaoptout | Google 애널리틱스 차단 브라우저 부가 기능 다운로드 페이지 크롬 다운로드에는 자바스크립트가 지원되는 브라우저가 필요합니다. 브라우저에서 자바스크립트를 사용하도록 설정하는 방법은 여기에서 알아보세요. Select a language ‫العربية‬ ‪Deutsch‬ ‪English‬ ‪English (UK)‬ ‪español‬ ‪français‬ ‪italiano‬ ‪日本語‬ ‪한국어‬ ‪Nederlands‬ ‪polski‬ ‪português (Brasil)‬ ‪русский‬ ‪ไทย‬ ‪Türkçe‬ ‪简体中文‬ ‪繁體中文 (台灣)‬ Google 애널리틱스 차단 브라우저 부가 기능 웹사이트 방문자가 자신의 데이터를 Google 애널리틱스에서 사용하지 못하도록 설정하는 기능을 제공하기 위해, Google에서는 지원되는 버전의 Google 애널리틱스 자바스크립트(analytics.js, gtag.js)를 사용하는 웹사이트를 대상으로 Google 애널리틱스 분석 차단 브라우저 부가 기능을 개발했습니다. 개인 데이터 사용을 차단하려면 사용 중인 웹브라우저에 맞는 부가 기능을 다운로드하여 설치하세요. Google 애널리틱스 분석 차단 부가 기능은 Chrome, Safari, Firefox, Microsoft Edge와 호환되도록 설계되었습니다. 차단 부가 기능이 작동하려면 브라우저에서 올바르게 로드되고 실행될 수 있어야 합니다. 개인 데이터 사용 차단 및 브라우저 부가 기능을 올바르게 설치하는 방법은 여기 에서 자세히 알아보세요. 귀하의 브라우저에서는 Google 애널리틱스 차단 브라우저 부가 기능이 지원되지 않습니다. Chrome, Mozilla Firefox, Apple Safari, Microsoft Edge를 지원합니다. Google 애널리틱스 개인정보 보호에 대해 자세히 알아보십시오. » ©2026 Google - 개인정보 보호정책 - 도움말 | 2026-01-13T08:47:44 |
https://www.oshwa.org/definition/ | Definition | OSHWA menu menu chevron_left home About Team Programs Community Membership Events OSHW 101 Documents and Policies Resources Announcements Definition The open-source hardware statement of principles and definition were developed by members of the OSHWA board and working group along with others. Open source hardware is hardware whose design is made publicly available so that anyone can study, modify, distribute, make, and sell the design or hardware based on that design. The hardware’s source, the design from which it is made, is available in the preferred format for making modifications to it. Ideally, open source hardware uses readily-available components and materials, standard processes, open infrastructure, unrestricted content, and open-source design tools to maximize the ability of individuals to make and use hardware. Open source hardware gives people the freedom to control their technology while sharing knowledge and encouraging commerce through the open exchange of designs. The open-source hardware statement of principles and definition were developed by members of the OSHWA board and working group along with others. These documents were originally edited on the wiki at freedomdefined.org , which you can visit to see endorsements of the definition and to add your own. Definition translations Open Source Hardware (OSHW) Statement of Principles 1.0 Open source hardware is hardware whose design is made publicly available so that anyone can study, modify, distribute, make, and sell the design or hardware based on that design. The hardware’s source, the design from which it is made, is available in the preferred format for making modifications to it. Ideally, open source hardware uses readily-available components and materials, standard processes, open infrastructure, unrestricted content, and open-source design tools to maximize the ability of individuals to make and use hardware. Open source hardware gives people the freedom to control their technology while sharing knowledge and encouraging commerce through the open exchange of designs. Open Source Hardware (OSHW) Definition 1.0 The Open Source Hardware (OSHW) Definition 1.0 is based on the Open Source Definition for Open Source Software. That definition was created by Bruce Perens and the Debian developers as the Debian Free Software Guidelines. Introduction Open Source Hardware (OSHW) is a term for tangible artifacts — machines, devices, or other physical things — whose design has been released to the public in such a way that anyone can make, modify, distribute, and use those things. This definition is intended to help provide guidelines for the development and evaluation of licenses for Open Source Hardware.Hardware is different from software in that physical resources must always be committed for the creation of physical goods. Accordingly, persons or companies producing items (“products”) under an OSHW license have an obligation to make it clear that such products are not manufactured, sold, warrantied, or otherwise sanctioned by the original designer and also not to make use of any trademarks owned by the original designer.The distribution terms of Open Source Hardware must comply with the following criteria: 1. Documentation The hardware must be released with documentation including design files, and must allow modification and distribution of the design files. Where documentation is not furnished with the physical product, there must be a well-publicized means of obtaining this documentation for no more than a reasonable reproduction cost, preferably downloading via the Internet without charge. The documentation must include design files in the preferred format for making changes, for example the native file format of a CAD program. Deliberately obfuscated design files are not allowed. Intermediate forms analogous to compiled computer code — such as printer-ready copper artwork from a CAD program — are not allowed as substitutes. The license may require that the design files are provided in fully-documented, open format(s). 2. Scope The documentation for the hardware must clearly specify what portion of the design, if not all, is being released under the license. 3. Necessary Software If the licensed design requires software, embedded or otherwise, to operate properly and fulfill its essential functions, then the license may require that one of the following conditions are met:a) The interfaces are sufficiently documented such that it could reasonably be considered straightforward to write open source software that allows the device to operate properly and fulfill its essential functions. For example, this may include the use of detailed signal timing diagrams or pseudocode to clearly illustrate the interface in operation.b) The necessary software is released under an OSI-approved open source license. 4. Derived Works The license shall allow modifications and derived works, and shall allow them to be distributed under the same terms as the license of the original work. The license shall allow for the manufacture, sale, distribution, and use of products created from the design files, the design files themselves, and derivatives thereof. 5. Free redistribution The license shall not restrict any party from selling or giving away the project documentation. The license shall not require a royalty or other fee for such sale. The license shall not require any royalty or fee related to the sale of derived works. 6. Attribution The license may require derived documents, and copyright notices associated with devices, to provide attribution to the licensors when distributing design files, manufactured products, and/or derivatives thereof. The license may require that this information be accessible to the end-user using the device normally, but shall not specify a specific format of display. The license may require derived works to carry a different name or version number from the original design. 7. No Discrimination Against Persons or Groups The license must not discriminate against any person or group of persons. 8. No Discrimination Against Fields of Endeavor The license must not restrict anyone from making use of the work (including manufactured hardware) in a specific field of endeavor. For example, it must not restrict the hardware from being used in a business, or from being used in nuclear research. 9. Distribution of License The rights granted by the license must apply to all to whom the work is redistributed without the need for execution of an additional license by those parties. 10. License Must Not Be Specific to a Product The rights granted by the license must not depend on the licensed work being part of a particular product. If a portion is extracted from a work and used or distributed within the terms of the license, all parties to whom that work is redistributed should have the same rights as those that are granted for the original work. 11. License Must Not Restrict Other Hardware or Software The license must not place restrictions on other items that are aggregated with the licensed work but not derivative of it. For example, the license must not insist that all other hardware sold with the licensed item be open source, nor that only open source software be used external to the device. 12. License Must Be Technology-Neutral No provision of the license may be predicated on any individual technology, specific part or component, material, or style of interface or use thereof. Afterword The signatories of this Open Source Hardware definition recognize that the open source movement represents only one way of sharing information. We encourage and support all forms of openness and collaboration, whether or not they fit this definition. Attendees of the 2024 Open Hardware Summit gather around making. Learn more about Open Source Hardware Best Practices for Open Source Hardware 1.0 Open Source Hardware Logo Open Source Hardware FAQ Best Practices for Sharing FPGA Designs A Resolution to Redefine SPI Signal Names Open Source Hardware: May and Must What is Open Source Hardware? (Poster) Open Source Hardware Checklist Become a Member Donate Newsletter | 2026-01-13T08:47:44 |
https://calebporzio.com/ | Caleb Porzio Caleb Porzio Posts • Creations • Talks • Tweets My Newsletter I send out an email every so often about cool stuff I'm working on or launching. If you dig, go ahead and sign up! My Writings I just crossed $1 million on GitHub Sponsors. 💰🎉 Reactive switchboard: making a big, slow Vue/Alpine page "blazingly" fast I'm out of a job... How Livewire works (a deep dive) Livewire isn’t actually “live” Making $100k As An Employee Versus Being Self-Employed Easy, Free, Serverless Laravel With Vercel 5 Annoying Things In VS Code You Can Fix Right Now I Just Hit $100k/yr On GitHub Sponsors! 🎉❤️ (How I Did It) Easy, Free Laravel CI Using GitHub Actions Introducing Sponsorware: How A Small Open Source Package Increased My Salary By $11k in Two Days Live-Updating Status Page With Livewire Using Babel Without The Build (Inline JS FTW!!!) Sketch Tip: Easier Pen Tool Drawing By Simply Zooming In 8 Accessibility Mistakes We Need To Stop Making My #1 Productivity Tip Playing Around With Jonathan Reinink's InertiaJS Essential Laravel Knowledge: How A Facade Works Make Your "git" Command Awesome [Video] Real-time Livewire w/ Laravel Echo & Pusher On Leaving My Day Job Building UIs With Livewire: Dynamic Input Group Equivalent of PHP Class Traits in JavaScript Fun Building A UI Component From Scratch With Livewire Designing The "No Plans To Merge" Logo Parsing Markdown: The Easy Way (With Code Highlighting) Sign Up for Livewire Updates A simple trick to auto-retry pesky Dusk tests [Video] Livewire/personal life update Livewire: No Need For Controllers Anymore! 5 New Features In Livewire That I’m Ridiculously Excited About 11 Awesome Laravel Helper Functions (that aren't in Laravel) Laravel Lightwire (LiveView): Taking Shape Proof of Concept: Phoenix LiveView for Laravel How To Publish a Vue Component as an NPM Package Feather Icons: Easy way to get SVG icons in Vue components Helper Functions: A Love Note (and a package) Bash Alias: composer-link - Require Local Folders as Composer Dependencies Using inline SVGs in Vue components My VS Code Setup How I Keep Notes About My Laravel Projects: scratch.md Acceptance Testing Laravel & VueJs Apps with Codeception Better Vuejs form handling with SparkForm Ajax loading wheels and forgotten Promises Build it for yourself | 2026-01-13T08:47:44 |
https://devblogs.microsoft.com/dotnet/net-interactive-is-here-net-notebooks-preview-2/ | .NET Interactive is here! | .NET Notebooks Preview 2 - .NET Blog Skip to main content Microsoft Dev Blogs Dev Blogs Dev Blogs Home Developer Microsoft for Developers Visual Studio Visual Studio Code Develop from the cloud All things Azure Xcode DevOps Windows Developer ISE Developer Azure SDK Command Line Aspire Technology DirectX Semantic Kernel Languages C++ C# F# TypeScript PowerShell Team Python Java Java Blog in Chinese Go .NET All .NET posts .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework NuGet Servicing .NET Blog in Chinese Platform Development #ifdef Windows Microsoft Foundry Azure Government Azure VM Runtime Team Bing Dev Center Microsoft Edge Dev Microsoft Azure Microsoft 365 Developer Microsoft Entra Identity Developer Old New Thing Power Platform Data Development Azure Cosmos DB Azure Data Studio Azure SQL OData Revolutions R Unified Data Model (IDEAs) Microsoft Entra PowerShell More Search Search No results Cancel Dev Blogs .NET Blog .NET Interactive is here! | .NET Notebooks Preview 2 .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now February 6th, 2020 1 reaction .NET Interactive is here! | .NET Notebooks Preview 2 Maria Naggaga Principal Program Manager Show more In November 2019, we announced .NET support for Jupyter notebooks with both C# and F# support. Today we are excited to announce Preview 2 of the .NET Notebook experience. What’s new New Name – Meet .NET interactive As our scenarios grew in Try .NET, we wanted a new name that encompassed all our new experiences from the runnable snippets on the web powered by Blazor (as seen on the .NET page ) , to interactive documentation for .NET Core with the dotnet try global tool, to .NET Notebooks. Today we are announcing our official name change to .NET interactive . .NET interactive is a group of CLI tools and APIs that enable users to create interactive experiences across the web, markdown, and notebooks. .NET Interactive Breakdown dotnet interactive global tool : For .NET Notebooks (Jupyter and nteract) dotnet try global tool : For Workshops and offline docs. Interactive markdown with a backing project. trydotnet.js API ( not publicly available yet ): Online documentation. For example, on docs and .NET page . Currently, only used internally at Microsoft. New Repo – dotnet/interactive Moving forward, we have decided to split dotnet try and dotnet interactive tools into separate repos. For any issues, feature requests, and contributions to .NET Notebooks, please visit the .NET Interactive repo . For any issues, feature requests, and contributions on interactive markdown and trydotnet.js, please visit the Try .NET repo . New Global Tool – dotnet interactive How Install .NET Interactive First, make sure you have the following installed: The .NET 3.1 SDK . Jupyter . Jupyter can be installed using Anaconda . Open the Anaconda Prompt (Windows) or Terminal (macOS) and verify that Jupyter is installed and present on the path: > jupyter kernelspec list python3 ~\jupyter\kernels\python3 Next, in an ordinary console, install the dotnet interactive global tool: > dotnet tool install --global Microsoft.dotnet-interactive Install the .NET kernel by running the following within your Anaconda Prompt: > dotnet interactive jupyter install [InstallKernelSpec] Installed kernelspec .net-csharp in ~\jupyter\kernels\.net-csharp .NET kernel installation succeeded [InstallKernelSpec] Installed kernelspec .net-fsharp in ~\jupyter\kernels\.net-fsharp .NET kernel installation succeeded [InstallKernelSpec] Installed kernelspec .net-powershell in ~\jupyter\kernels\.net-powershell .NET kernel installation succeeded You can verify the installation by running the following again in the Anaconda Prompt: > jupyter kernelspec list .net-csharp ~\jupyter\kernels\.net-csharp .net-fsharp ~\jupyter\kernels\.net-fsharp .net-powershell ~\jupyter\kernels\.net-powershell python3 ~\jupyter\kernels\python3 Please Note: If you are looking for dotnet try experience please visit dotnet/try . New language support – PowerShell PowerShell Notebooks PowerShell notebooks combine the management capabilities of PowerShell with the rich visual experience of notebooks. The integration of PowerShell’s executable experience with rich text and visualization open up scenarios for PowerShell users to integrate and amplify their teaching, and support documents. As an example, this demo of a new PowerShell feature was easily transformed into a shareable, interactive teaching tool. With the multi-kernel experience provided by the .NET interactive kernel a single notebook, now with PowerShell support, can efficiently target both the management plane and the data plane. DBAs, sysadmins, and support engineers alike have found PowerShell notebooks useful for resource manipulation and management. For example, this notebook teachers the user how to create an Azure VM from PowerShell. We look forward to seeing what our customers to do with this experience. Read the PowerShell blog post for more information. Run .NET Code in nteract.io In addition to writing .NET Code in Jupyter Notebooks, users can now write their code in nteract. nteract is an open-source organization that builds SDKs, applications, and libraries that helps people make the most of interactive notebooks and REPLs. We are excited to have our .NET users take advantage of the rich REPL experience nteract provides,including the nteract desktop app. To get started with .NET Interactive in nteract please download the nteract desktop app and install the .NET kernels . Resources Try sample .NET notebooks online using Binder . This also allows you try out .NET Interactive daily builds. Create and run .NET notebooks on your machine . Share your own .NET notebooks with others online using Binder . .NET Interactive with nteract Our team can’t wait to see what you do with .NET Interactive. Please check out our repo to learn more and let us know what you build. Happy interactive programming ! 1 28 0 Share on Facebook Share on X Share on Linkedin Copy Link --> Category .NET Share Author Maria Naggaga Principal Program Manager Maria Naggaga is a Principal Product Manager on the Microsoft Developer Platform. 28 comments Discussion is closed. Login to edit/delete existing comments. Code of Conduct Sort by : Newest Newest Popular Oldest AUGUST SPIER --> AUGUST SPIER --> May 11, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> The trials and tribulations of a New Guy. Following the blog post, I 1. Download and install Anaconda 2. Download and install dotnet Core SDK (v. 3.1.201) 3. (At the Anaconda prompt), run jupyter kernelspec list. And receive python3 ~\jupyter\kernels\python3 4. (In the command shell), I invoke > dotnet tool install --global Microsoft.dotnet-interactive 5. I return to the Anaconda prompt to run > "C:\Program Files\dotnet> dotnet interactive jupyter install 6. And I'm rewarded for my efforts with: Could not execute because... Read more The trials and tribulations of a New Guy. Following the blog post, I 1. Download and install Anaconda 2. Download and install dotnet Core SDK (v. 3.1.201) 3. (At the Anaconda prompt), run jupyter kernelspec list. And receive python3 ~\jupyter\kernels\python3 4. (In the command shell), I invoke > dotnet tool install –global Microsoft.dotnet-interactive 5. I return to the Anaconda prompt to run > “C:\Program Files\dotnet> dotnet interactive jupyter install 6. And I’m rewarded for my efforts with: Could not execute because the specified command or file was not found. Possible reasons for this include: * You misspelled a built-in dotnet command. * You intended to execute a .NET Core program, but dotnet-interactive does not exist. * You intended to run a global tool, but a dotnet-prefixed executable with this name could not be found on the PATH. Where did I go wrong? Regards, Gus DISCLAIMER: I am not a software developer, nor do I play one on TV. But I am a fairly accomplished DBA trying to adapt new tools to everyday life. Read less Jon Sequeira --> Jon Sequeira --> May 15, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Please open an issue at https://github.com/dotnet/interactive/issues and we’ll take a look. One additional piece of information that would be helpful is what version of dotnet-interactive you’re using, which you can find by running this at the command prompt: dotnet-interactive –version Joe Huang --> Joe Huang --> April 17, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Can anybody tell me how to make intellisense(auto completion) of this(.NET Interactive) Case-Insensitive? David Beveridge --> David Beveridge --> April 15, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> In lieu of an emoji for back-flip somersaults, YESSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSS! This technology is what I’ve wanted for so long. Thank you. David Cuccia --> David Cuccia --> February 21, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> I absolutely love the work that's being done here, thanks to the Interactive team for making this a reality. I also love the new Jupyter support (currently in the Python extension for) VS Code. It would be wonderful to have Interactive work with Jupyter in VS Code. I posted this request on the Interactive and vscode-python GitHub sites but wanted to share my request here as well. There seems to be an intent to make this happen, one way or another, which is great. (Though, I might have poked a wasps nest with my questions. :) https://github.com/dotnet/interactive/issues/179 https://github.com/microsoft/vscode-python/issues/5078#issuecomment-588437582 Read more I absolutely love the work that’s being done here, thanks to the Interactive team for making this a reality. I also love the new Jupyter support (currently in the Python extension for) VS Code. It would be wonderful to have Interactive work with Jupyter in VS Code. I posted this request on the Interactive and vscode-python GitHub sites but wanted to share my request here as well. There seems to be an intent to make this happen, one way or another, which is great. (Though, I might have poked a wasps nest with my questions. :) https://github.com/dotnet/interactive/issues/179 https://github.com/microsoft/vscode-python/issues/5078#issuecomment-588437582 Read less San --> San --> May 1, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> VS Code with Jupyter .NET Interactive is a must-have feature. Please make it available ASAP :). Thanks a lot. Jon Sequeira --> Jon Sequeira --> May 15, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Keep an eye on our PRs: https://github.com/dotnet/interactive/pull/412 Radu Popa --> Radu Popa --> February 13, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Awesome! Big fan of Notebooks! … But why were F# and PowerShell supported before Visual Basic .Net? The later is more popular than the former two together. How misleading it is to name it .Net Interactive and support PowerShell but not Visual Basic .Net … I, for one, will not use this until you include support for Visual Basic .Net. I’m on my way to learning Python and will switch to it if Microsoft continues to alienate the large VB.Net community. Jon Sequeira --> Jon Sequeira --> May 15, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> We hear you. C# and F# have a big head start here because they both have interactive language variants. If the VB.NET interactive language variant had been available, we’d have been happy to include it. Bob --> Bob --> February 12, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> It’s delightful to be able to install a Jupyter version on Windows that actually works reliably. How do I go about upgrading to JupyterLab? Maria Naggaga --> Maria Naggaga Author --> February 19, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Glad you like it! First you will need to install Jupyter Lab either conda or pip. Here are the install instructions ( https://jupyterlab.readthedocs.io/en/stable/getting_started/installation.html ). Once you have that installed go to Anaconda prompt type in the following command > jupyter lab . This will launch JupyterLab. Gus Martinka --> Gus Martinka --> February 12, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Really excited about .net in Jupyter moving forward. I was using Python/Jupyter to explore data and prototype solutions but this is looking like my new go to. Preview 1 had some bugs with syntax highlighting and such but was still useful. I am hoping VS Code will pick up support for .net core in Jupyter soon. Mladen Kirilov --> Mladen Kirilov --> February 12, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Considering this great progress, can we expect to get the PowerShell kernel in Azure Notebooks at all? Thanks! Roman Cerny --> Roman Cerny --> February 7, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> When trying to run following in Windows 10 cmd dotnet tool install –global Microsoft.dotnet-interactive I get: The tool package could not be restored. Tool ‘microsoft.dotnet-interactive’ failed to install. This failure may have been caused by: * You are attempting to install a preview release and did not use the –version option to specify the version. Please advise Maria Naggaga --> Maria Naggaga Author --> February 7, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> In the blog post I didn’t specify the package version just to make sure that the post stays fresh. Please use this command as seen on nuget dotnet tool install --global Microsoft.dotnet-interactive --version 1.0.110520 Roman Cerny --> Roman Cerny --> February 10, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Thanks Maria, that installed correctly now. The next issue I’am having is: (base) C:\Users\roman.cerny>jupyter kernelspec list Available kernels: python3 C:\Program Files (x86)\Microsoft Visual Studio\Shared\Anaconda3_64\share\jupyter\kernels\python3 (base) C:\Program Files (x86)\Microsoft Visual Studio\Shared\Anaconda3_64\share>dotnet interactive jupyter install .NET kernel installation failed with error: Could not find jupyter kernelspec module The same happens even after restarting my PC Please advise Maria Naggaga --> Maria Naggaga Author --> February 10, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Hi Roman, May I ask you a quick question – When you installed the .NET kernel( dotnet interactive jupyter install ) did you do it in Anaconda prompt? If you don’t mind could you please open an issue here ? I would really like to help you troubleshoot this. Thank you Roman Cerny --> Roman Cerny --> February 11, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Hi Maria, I have now created new issue https://github.com/dotnet/interactive/issues/157#issue-563062412 Thank you for your help. Jerzy Rozmyslowicz --> Jerzy Rozmyslowicz --> February 7, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Just learned that another .NET exists How many .NET you are going to create? You are doing it all wrong. There should be just one VS Studio, one .NET one code Simply you should work only on compilers to that one solution Developer then just could use Build As (need to be implemented) command to build one code to Windows or Mac or Android or whatever else using specific compiler Phillip Carter --> Phillip Carter --> February 9, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Just to clarify: what is announced in this blog post is not another flavor of .NET. This is about bringing .NET to the Jupyter Notebooks ecosystem and enhancing interactive programming with C# and F#. It’s the same compilers, runtime, etc. under the hood as any normal .NET Core application. Dave Bacher --> Dave Bacher --> February 7, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Microsoft is currently working towards .NET 5. In their old .NET, they apparently have a million #if statements all over the place, and then scripts build the various flavors by having the right set of defines. Even, apparently, Silverlight. That's based on what they've said in posts here and over on Hanselman's blog. And so basically - .NET Core they went through and took all the #if's out. And so you have this new Common Language Runtime / Microsoft Intermediate Language interpreter that has as few built-in dependencies as possible, and that's .NET Core runtime itself. And then you... Read more Microsoft is currently working towards .NET 5. In their old .NET, they apparently have a million #if statements all over the place, and then scripts build the various flavors by having the right set of defines. Even, apparently, Silverlight. That’s based on what they’ve said in posts here and over on Hanselman’s blog. And so basically – .NET Core they went through and took all the #if’s out. And so you have this new Common Language Runtime / Microsoft Intermediate Language interpreter that has as few built-in dependencies as possible, and that’s .NET Core runtime itself. And then you have a cloud of libraries in what would have been the Basic/Base Class Library (BCL) before – and those are now mostly NuGet packages – and so you can pick versions of them when you compile, and those versions are bundled with your executable, and no other process can cause a different version to load. One of the side effects is the individual project teams that are working on GitHub, which is most of them on the .NET side, can now take pull requests and feature input / issues directly through GitHub, and so you can go over there and beg them directly and make the case directly for specific features in specific libraries, instead of having to go through support and hoping you get the single support rep who has actually written code professionally at some point in their life. 😉 Visual Studio supports multiple targets in a single project file, and that is the traditional C++ way to build C code for multiple platforms in Visual Studio. You can add a MacOS target right now, and changing the target is then the pulldown next to “Release” and “Debug” on the default toolbars. That’s explicitly what that feature is intended for. You can do more on the C++ side than on the C# side right now. However, if you’re not calling any OS-specific functionality – the .NET Core app you compile runs, from a single build, on Windows, Linux and MacOS. Same binary file works on all three. You can even use WinForms or WPF, and those work as expected now mostly. (there are differences, and third party components generally need to be designed for the new ones) Read less Load more comments Read next February 8, 2020 Garbage Collection at Food Courts maoni February 10, 2020 Announcing Experimental Mobile Blazor Bindings February update Eilon Lipton Stay informed Get notified when new posts are published. Email * Country/Region * Select... United States Afghanistan Åland Islands Albania Algeria American Samoa Andorra Angola Anguilla Antarctica Antigua and Barbuda Argentina Armenia Aruba Australia Austria Azerbaijan Bahamas Bahrain Bangladesh Barbados Belarus Belgium Belize Benin Bermuda Bhutan Bolivia Bonaire Bosnia and Herzegovina Botswana Bouvet Island Brazil British Indian Ocean Territory British Virgin Islands Brunei Bulgaria Burkina Faso Burundi Cabo Verde Cambodia Cameroon Canada Cayman Islands Central African Republic Chad Chile China Christmas Island Cocos (Keeling) Islands Colombia Comoros Congo Congo (DRC) Cook Islands Costa Rica Côte dIvoire Croatia Curaçao Cyprus Czechia Denmark Djibouti Dominica Dominican Republic Ecuador Egypt El Salvador Equatorial Guinea Eritrea Estonia Eswatini Ethiopia Falkland Islands Faroe Islands Fiji Finland France French Guiana French Polynesia French Southern Territories Gabon Gambia Georgia Germany Ghana Gibraltar Greece Greenland Grenada Guadeloupe Guam Guatemala Guernsey Guinea Guinea-Bissau Guyana Haiti Heard Island and McDonald Islands Honduras Hong Kong SAR Hungary Iceland India Indonesia Iraq Ireland Isle of Man Israel Italy Jamaica Jan Mayen Japan Jersey Jordan Kazakhstan Kenya Kiribati Korea Kosovo Kuwait Kyrgyzstan Laos Latvia Lebanon Lesotho Liberia Libya Liechtenstein Lithuania Luxembourg Macau SAR Madagascar Malawi Malaysia Maldives Mali Malta Marshall Islands Martinique Mauritania Mauritius Mayotte Mexico Micronesia Moldova Monaco Mongolia Montenegro Montserrat Morocco Mozambique Myanmar Namibia Nauru Nepal Netherlands New Caledonia New Zealand Nicaragua Niger Nigeria Niue Norfolk Island North Macedonia Northern Mariana Islands Norway Oman Pakistan Palau Palestinian Authority Panama Papua New Guinea Paraguay Peru Philippines Pitcairn Islands Poland Portugal Puerto Rico Qatar Réunion Romania Rwanda Saba Saint Barthélemy Saint Kitts and Nevis Saint Lucia Saint Martin Saint Pierre and Miquelon Saint Vincent and the Grenadines Samoa San Marino São Tomé and Príncipe Saudi Arabia Senegal Serbia Seychelles Sierra Leone Singapore Sint Eustatius Sint Maarten Slovakia Slovenia Solomon Islands Somalia South Africa South Georgia and South Sandwich Islands South Sudan Spain Sri Lanka St Helena Ascension Tristan da Cunha Suriname Svalbard Sweden Switzerland Taiwan Tajikistan Tanzania Thailand Timor-Leste Togo Tokelau Tonga Trinidad and Tobago Tunisia Turkey Turkmenistan Turks and Caicos Islands Tuvalu U.S. Outlying Islands U.S. Virgin Islands Uganda Ukraine United Arab Emirates United Kingdom Uruguay Uzbekistan Vanuatu Vatican City Venezuela Vietnam Wallis and Futuna Yemen Zambia Zimbabwe I would like to receive the .NET Blog Newsletter. Privacy Statement. Subscribe Follow this blog Are you sure you wish to delete this comment? × --> OK Cancel Sign in Theme Insert/edit link Close Enter the destination URL URL Link Text Open link in a new tab Or link to existing content Search No search term specified. Showing recent items. Search or use up and down arrow keys to select an item. Cancel Code Block × Paste your code snippet Ok Cancel What's new Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot for organizations Copilot for personal use AI in Windows Explore Microsoft products Windows 11 apps Microsoft Store Account profile Download Center Microsoft Store support Returns Order tracking Certified Refurbished Microsoft Store Promise Flexible Payments Education Microsoft in education Devices for education Microsoft Teams for Education Microsoft 365 Education How to buy for your school Educator training and development Deals for students and parents AI for education Business Microsoft Cloud Microsoft Security Dynamics 365 Microsoft 365 Microsoft Power Platform Microsoft Teams Microsoft 365 Copilot Small Business Developer & IT Azure Microsoft Developer Microsoft Learn Support for AI marketplace apps Microsoft Tech Community Microsoft Marketplace Marketplace Rewards Visual Studio Company Careers About Microsoft Company news Privacy at Microsoft Investors Diversity and inclusion Accessibility Sustainability Your Privacy Choices Opt-Out Icon Your Privacy Choices Your Privacy Choices Opt-Out Icon Your Privacy Choices Consumer Health Privacy Sitemap Contact Microsoft Privacy Manage cookies Terms of use Trademarks Safety & eco Recycling About our ads © Microsoft 2025 | 2026-01-13T08:47:44 |
https://golf.forem.com/privacy | Privacy Policy - Golf Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Golf Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Golf Forem — A community of golfers and golfing enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:47:44 |
http://tools.google.com/dlpage/gaoptout | Google 애널리틱스 차단 브라우저 부가 기능 다운로드 페이지 크롬 다운로드에는 자바스크립트가 지원되는 브라우저가 필요합니다. 브라우저에서 자바스크립트를 사용하도록 설정하는 방법은 여기에서 알아보세요. Select a language ‫العربية‬ ‪Deutsch‬ ‪English‬ ‪English (UK)‬ ‪español‬ ‪français‬ ‪italiano‬ ‪日本語‬ ‪한국어‬ ‪Nederlands‬ ‪polski‬ ‪português (Brasil)‬ ‪русский‬ ‪ไทย‬ ‪Türkçe‬ ‪简体中文‬ ‪繁體中文 (台灣)‬ Google 애널리틱스 차단 브라우저 부가 기능 웹사이트 방문자가 자신의 데이터를 Google 애널리틱스에서 사용하지 못하도록 설정하는 기능을 제공하기 위해, Google에서는 지원되는 버전의 Google 애널리틱스 자바스크립트(analytics.js, gtag.js)를 사용하는 웹사이트를 대상으로 Google 애널리틱스 분석 차단 브라우저 부가 기능을 개발했습니다. 개인 데이터 사용을 차단하려면 사용 중인 웹브라우저에 맞는 부가 기능을 다운로드하여 설치하세요. Google 애널리틱스 분석 차단 부가 기능은 Chrome, Safari, Firefox, Microsoft Edge와 호환되도록 설계되었습니다. 차단 부가 기능이 작동하려면 브라우저에서 올바르게 로드되고 실행될 수 있어야 합니다. 개인 데이터 사용 차단 및 브라우저 부가 기능을 올바르게 설치하는 방법은 여기 에서 자세히 알아보세요. 귀하의 브라우저에서는 Google 애널리틱스 차단 브라우저 부가 기능이 지원되지 않습니다. Chrome, Mozilla Firefox, Apple Safari, Microsoft Edge를 지원합니다. Google 애널리틱스 개인정보 보호에 대해 자세히 알아보십시오. » ©2026 Google - 개인정보 보호정책 - 도움말 | 2026-01-13T08:47:44 |
https://www.algolia.com/resources/asset/building-agentic-ai | RESOURCE CENTER LANDING TEMPLATE --> Building agentic AI Niket --> Deutsch English français News: Meet us at NRF 2026 Learn more Company Partners Support Login Logout Algolia mark white Algolia logo white Products AI Search & Retrieval Overview Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Artificial Intelligence OVERVIEW Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Intelligent Data Kit Overview Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Infrastructure Overview Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Solutions Industries SEE ALL Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Use Cases SEE ALL Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Departments Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Pricing Developers Get started Developer Hub Developer Hub Documentation Documentation Integrations Integrations UI Components UI Components Autocomplete Autocomplete Resources Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events Quick Links Quick Start Guide Quick Start Guide For Open Source For Open Source API Status API Status Support Support Resources Discover Algolia Blog Algolia Blog Resource Center Resource Center Customer Stories Customer Stories Webinars & Events Webinars & Events Newsroom Newsroom Customers Customer Hub Customer Hub What's New What's New Knowledge Base Knowledge Base Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Company Partners Support Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack ebook Building agentic AI: How AI agents and Algolia’s MCP are changing the game Download PDF Resource Center Building agentic AI Summary AI is no longer just about chatting, it’s about acting. This is where AI agents come in. This white paper answers what “agentic” really means, and how it has the potential to redefine digital experiences much like the rise of the web did decades ago. Download PDF Unlock this asset Summary AI is no longer just about chatting, it’s about acting. This is where AI agents come in. This white paper answers what “agentic” really means, and how it has the potential to redefine digital experiences much like the rise of the web did decades ago. Download PDF Enable anyone to build great Search & Discovery Get a demo Start Free Products Overview AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Use cases Overview Enterprise search Headless commerce Mobile & app search Voice search Image search OEM Site search Developers Developer Hub Documentation Integrations Engineering blog Discord community API status DocSearch For Open Source Live demos GDPR AI Act Integrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distributed & secure Global infrastructure Security & compliance Azure AWS Industries Overview B2C ecommerce B2B ecommerce Marketplaces SaaS Media Startups Fashion Tools Search Grader Ecommerce Search Audit Company About Algolia Careers Newsroom Events Leadership Social impact Contact us Anti-Modern Slavery Statement Awards Social networks Developers Developer Hub Documentation Integrations Engineering blog Discord community API status DocSearch For Open Source Live demos GDPR AI Act Industries Overview B2C ecommerce B2B ecommerce Marketplaces SaaS Media Startups Fashion Tools Search Grader Ecommerce Search Audit Products Overview AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Use cases Overview Enterprise search Headless commerce Mobile & app search Voice search Image search OEM Site search Integrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distributed & secure Global infrastructure Security & compliance Azure AWS Company About Algolia Careers Newsroom Events Leadership Social impact Contact us Anti-Modern Slavery Statement Awards Social networks Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Trust Center Privacy Policy Terms of service Acceptable Use Policy ✕ Hi there 👋 Need assistance? Click here to allow functional cookies to launch our chat agent. 1 --> | 2026-01-13T08:47:44 |
https://parenting.forem.com/t/newparents | Newparents - Parenting 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 Parenting Close # newparents Follow Hide For those new to parenting, from pregnancy to the first year. Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Top 5 Breast Pumps for 2025: Soft, Practical & Tested by Real Moms Keira Smith Keira Smith Keira Smith Follow Dec 3 '25 Top 5 Breast Pumps for 2025: Soft, Practical & Tested by Real Moms # babygear # newparents Comments 1 comment 18 min read I built a free baby tracker that syncs across devices without requiring an account Siarhei Siarhei Siarhei Follow Dec 1 '25 I built a free baby tracker that syncs across devices without requiring an account # dadlife # newparents 2 reactions Comments 1 comment 3 min read How Becoming a Parent Helped Me Notice the Small Things Eli Sanderson Eli Sanderson Eli Sanderson Follow Nov 21 '25 How Becoming a Parent Helped Me Notice the Small Things # discuss # celebrations # newparents 7 reactions Comments 1 comment 7 min read Why the "Why?" Game is the Most Valuable Thing I Do With My Kids Juno Threadborne Juno Threadborne Juno Threadborne Follow Oct 20 '25 Why the "Why?" Game is the Most Valuable Thing I Do With My Kids # newparents # development # communication # learning 19 reactions Comments 2 comments 3 min read loading... trending guides/resources Top 5 Breast Pumps for 2025: Soft, Practical & Tested by Real Moms I built a free baby tracker that syncs across devices without requiring an account How Becoming a Parent Helped Me Notice the Small Things 💎 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 Parenting — A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Navigating the chaos and joy of parenting. Log in Create account | 2026-01-13T08:47:44 |
https://dev.to/vjnvisakh | Visakh Vijayan - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Visakh Vijayan There is nothing else in this world that gives as much happiness as coding Location Kolkata, West Bengal Joined Joined on Sep 2, 2018 Email address vjnvisakh@gmail.com Personal website https://github.com/visakhvjn github website twitter website Education MCA Pronouns he/him/his Work Full Stack Developer at JTC Seven Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least seven years. Got it Close Six Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least six years. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Five Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least five years. Got it Close 2 Week Community Wellness Streak Keep the community conversation going! Post at least 2 comments for 2 straight weeks and unlock the 4 Week Badge. Got it Close Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close 8 Week Writing Streak The streak continues! You've written at least one post per week for 8 consecutive weeks. Unlock the 16-week badge next! Got it Close 4 Week Writing Streak You've posted at least one post per week for 4 consecutive weeks! Got it Close Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close More info about @vjnvisakh Organizations Souparnika Skills/Languages NestJs, Flutter, ReactJs, Graphql, Mongo, Elastic-search, Docker Currently learning Gatsby Currently hacking on Fiverr Available for Collaboration :D Post 297 posts published Comment 122 comments written Tag 10 tags followed Unlocking the Power of Inheritance in Python Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 12 Unlocking the Power of Inheritance in Python # beginners # programming # python # tutorial Comments Add Comment 2 min read Want to connect with Visakh Vijayan? Create an account to connect with Visakh Vijayan. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Mastering Interview Body Language Techniques: A Guide to Non-Verbal Communication Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 11 Mastering Interview Body Language Techniques: A Guide to Non-Verbal Communication # career # interview # tutorial Comments Add Comment 1 min read Navigating the Startup Landscape: Mastering Competitive Analysis Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 10 Navigating the Startup Landscape: Mastering Competitive Analysis # analytics # management # startup Comments Add Comment 3 min read Mastering Loops in Python: A Journey Through Iteration Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 9 Mastering Loops in Python: A Journey Through Iteration Comments Add Comment 1 min read Elevating Innovation: The Future of Cloud with Platform as a Service (PaaS) Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 8 Elevating Innovation: The Future of Cloud with Platform as a Service (PaaS) # architecture # cloudcomputing # devops Comments Add Comment 3 min read Navigating the Future: Startup Financial Forecasting Strategies Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 7 Navigating the Future: Startup Financial Forecasting Strategies # analytics # management # startup Comments Add Comment 1 min read Boosting Frontend Development Efficiency with Vite and Webpack Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 6 Boosting Frontend Development Efficiency with Vite and Webpack # frontend # javascript # productivity # tooling Comments Add Comment 2 min read Unleashing the Power of Arrow Functions in JavaScript Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 5 Unleashing the Power of Arrow Functions in JavaScript # beginners # javascript # tutorial Comments Add Comment 2 min read Revolutionizing Code Testing with JavaScript: A Comprehensive Guide Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 4 Revolutionizing Code Testing with JavaScript: A Comprehensive Guide # codequality # javascript # testing Comments Add Comment 2 min read Unlocking TypeScript's Power: Mastering Type Guards for Safer, Smarter Code Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 3 Unlocking TypeScript's Power: Mastering Type Guards for Safer, Smarter Code # javascript # tutorial # typescript Comments Add Comment 2 min read Elevate Your Cloud Game: Mastering Monitoring & Logging with CloudWatch and Stackdriver Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 2 Elevate Your Cloud Game: Mastering Monitoring & Logging with CloudWatch and Stackdriver # google # monitoring # devops # aws Comments Add Comment 3 min read Unveiling the Power of Databases in the Realm of Big Data Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 1 Unveiling the Power of Databases in the Realm of Big Data # database # dataengineering # performance Comments Add Comment 2 min read Mastering Reinforcement Learning: A Dive into Machine Learning's Next Frontier Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 31 '25 Mastering Reinforcement Learning: A Dive into Machine Learning's Next Frontier # ai # datascience # machinelearning Comments Add Comment 2 min read Exploring the Power of Set & Map in JavaScript Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 30 '25 Exploring the Power of Set & Map in JavaScript # algorithms # beginners # javascript 5 reactions Comments Add Comment 1 min read Unveiling the Threat of Clickjacking in Web Security Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 29 '25 Unveiling the Threat of Clickjacking in Web Security # html # ui # security # webdev Comments Add Comment 2 min read Revolutionizing Scalability: Exploring Container Orchestration Solutions Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 28 '25 Revolutionizing Scalability: Exploring Container Orchestration Solutions # systemdesign # architecture # kubernetes # devops Comments Add Comment 2 min read Revolutionizing Frontend Development with Design Systems Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 27 '25 Revolutionizing Frontend Development with Design Systems # architecture # frontend # ui # design 1 reaction Comments Add Comment 2 min read Unleashing the Power of DOM Manipulation in Frontend Development Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 25 '25 Unleashing the Power of DOM Manipulation in Frontend Development # frontend # javascript # webdev Comments Add Comment 1 min read Harnessing React in the Era of Serverless Deployment: A Modern Approach Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 24 '25 Harnessing React in the Era of Serverless Deployment: A Modern Approach # react # serverless # devops # webdev Comments Add Comment 3 min read Unleashing the Power of Enums in TypeScript Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 23 '25 Unleashing the Power of Enums in TypeScript # typescript # programming # tutorial # beginners Comments Add Comment 2 min read Mastering Technical Interviews: Top 50 Tips for Success Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 22 '25 Mastering Technical Interviews: Top 50 Tips for Success Comments Add Comment 1 min read Unveiling the Power of Support Vector Machines in Machine Learning Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 21 '25 Unveiling the Power of Support Vector Machines in Machine Learning # algorithms # datascience # machinelearning Comments Add Comment 1 min read Unleashing the Power of JavaScript Promises: A Futuristic Dive into Asynchronous Programming Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 20 '25 Unleashing the Power of JavaScript Promises: A Futuristic Dive into Asynchronous Programming # javascript # programming # tutorial Comments Add Comment 1 min read Mastering Soft Skills: The Art of Effective Communication Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 19 '25 Mastering Soft Skills: The Art of Effective Communication # career # learning # productivity Comments Add Comment 1 min read Navigating the Global Workplace: The Power of Cultural Competence Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 18 '25 Navigating the Global Workplace: The Power of Cultural Competence # career # leadership # learning Comments Add Comment 2 min read Unlocking the Power of Types: A Deep Dive into TypeScript Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 17 '25 Unlocking the Power of Types: A Deep Dive into TypeScript # webdev # javascript # programming # typescript Comments Add Comment 2 min read Illuminating DevOps: Mastering Logging for Next-Gen Software Delivery Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 16 '25 Illuminating DevOps: Mastering Logging for Next-Gen Software Delivery # devops # monitoring Comments Add Comment 3 min read Mastering Heaps: A Deep Dive into Data Structures and Algorithms Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 15 '25 Mastering Heaps: A Deep Dive into Data Structures and Algorithms # algorithms # computerscience # tutorial Comments Add Comment 2 min read Unlocking Type Safety: A Deep Dive into Type Guards in TypeScript Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 14 '25 Unlocking Type Safety: A Deep Dive into Type Guards in TypeScript # javascript # tutorial # typescript Comments Add Comment 3 min read Mastering Enums in TypeScript: A Comprehensive Guide Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 13 '25 Mastering Enums in TypeScript: A Comprehensive Guide # javascript # tutorial # typescript Comments Add Comment 2 min read Unlocking Web Security: Mastering Authentication in the Digital Age Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 12 '25 Unlocking Web Security: Mastering Authentication in the Digital Age # beginners # security # webdev Comments Add Comment 2 min read Optimizing Performance with DevOps: The Art of Load Balancing Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 11 '25 Optimizing Performance with DevOps: The Art of Load Balancing # devops # networking # performance # architecture Comments Add Comment 2 min read Unleashing the Future: Mastering iOS Mobile App Development with Swift Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 10 '25 Unleashing the Future: Mastering iOS Mobile App Development with Swift # beginners # ios # tutorial # swift Comments Add Comment 3 min read Quantum Leaps in Transactional Databases: Navigating the Future of Data Integrity Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 9 '25 Quantum Leaps in Transactional Databases: Navigating the Future of Data Integrity # architecture # database # systemdesign Comments Add Comment 2 min read Mastering Frontend Development: Top 50 Interview Questions Revealed Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 8 '25 Mastering Frontend Development: Top 50 Interview Questions Revealed Comments Add Comment 2 min read Unlocking the Power of Binary Search Trees: A Deep Dive into Data Structures and Algorithms Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 7 '25 Unlocking the Power of Binary Search Trees: A Deep Dive into Data Structures and Algorithms Comments Add Comment 2 min read Unleashing the Power of Python in Machine Learning Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 6 '25 Unleashing the Power of Python in Machine Learning Comments Add Comment 2 min read Revolutionizing Mobile App Development with Mobile Analytics Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 5 '25 Revolutionizing Mobile App Development with Mobile Analytics # analytics # ux # mobile # performance Comments Add Comment 2 min read Boosting React Performance with useMemo Hook Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 4 '25 Boosting React Performance with useMemo Hook Comments Add Comment 1 min read Revolutionizing Frontend Development with React and Serverless Framework Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 3 '25 Revolutionizing Frontend Development with React and Serverless Framework # frontend # serverless # react # javascript Comments 1 comment 2 min read Revolutionizing Enterprise: How Startups Are Shaping the Future of Corporate Innovation Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 2 '25 Revolutionizing Enterprise: How Startups Are Shaping the Future of Corporate Innovation # leadership # management # startup Comments Add Comment 3 min read Unlocking the Power of Redis: A Deep Dive into Databases Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Dec 1 '25 Unlocking the Power of Redis: A Deep Dive into Databases # backend # database # performance Comments Add Comment 2 min read Revolutionize Your React Apps with Redux Toolkit: A Comprehensive Guide Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 30 '25 Revolutionize Your React Apps with Redux Toolkit: A Comprehensive Guide # javascript # tutorial # react # tooling Comments Add Comment 2 min read Exploring the Top Frontend Frameworks: A Developer's Guide Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 29 '25 Exploring the Top Frontend Frameworks: A Developer's Guide # frontend # javascript # webdev # react Comments Add Comment 2 min read Fortifying Web Security with Rate Limiting: A Shield Against Cyber Threats Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 28 '25 Fortifying Web Security with Rate Limiting: A Shield Against Cyber Threats # cybersecurity # architecture # security # networking Comments Add Comment 2 min read Revolutionizing Mobile App Success with A/B Testing Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 27 '25 Revolutionizing Mobile App Success with A/B Testing # mobile # testing # ux Comments Add Comment 2 min read Unlocking the Power of Type Hinting in Python Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 26 '25 Unlocking the Power of Type Hinting in Python # cleancode # python # tutorial Comments Add Comment 2 min read Unleashing the Power of Create React App: Your Gateway to Modern Web Development Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 25 '25 Unleashing the Power of Create React App: Your Gateway to Modern Web Development # javascript # react # beginners # tooling Comments Add Comment 3 min read Unveiling the Power of Cross-Validation in Machine Learning Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 24 '25 Unveiling the Power of Cross-Validation in Machine Learning # datascience # machinelearning # python Comments Add Comment 2 min read Unleashing the Power of Divide and Conquer: Data Structures and Algorithms Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 23 '25 Unleashing the Power of Divide and Conquer: Data Structures and Algorithms # algorithms # beginners # computerscience Comments Add Comment 2 min read Mastering Modules in TypeScript: A Comprehensive Guide Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 22 '25 Mastering Modules in TypeScript: A Comprehensive Guide # javascript # programming # typescript # tutorial Comments Add Comment 2 min read Unleashing the Power of Containers in Cloud Computing Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 20 '25 Unleashing the Power of Containers in Cloud Computing # containers # docker # cloudcomputing # devops Comments Add Comment 2 min read Optimizing DevOps Efficiency through Advanced Monitoring Techniques Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 19 '25 Optimizing DevOps Efficiency through Advanced Monitoring Techniques Comments Add Comment 1 min read Mastering Full-Stack: Top 50 Interview Questions Revealed Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 18 '25 Mastering Full-Stack: Top 50 Interview Questions Revealed Comments Add Comment 2 min read Decoding Buffers in Node.js: The Hidden Powerhouse of Data Handling Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 16 '25 Decoding Buffers in Node.js: The Hidden Powerhouse of Data Handling # node # javascript # beginners # backend Comments Add Comment 2 min read Fueling Innovation: Navigating the Landscape of Startup Funding Sources Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 15 '25 Fueling Innovation: Navigating the Landscape of Startup Funding Sources # learning # resources # startup Comments Add Comment 3 min read Revolutionizing User Engagement: A Deep Dive into Push Notifications in Mobile App Development Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 14 '25 Revolutionizing User Engagement: A Deep Dive into Push Notifications in Mobile App Development Comments Add Comment 2 min read Mastering Soft Skills for Effective Leadership and Mentorship Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 13 '25 Mastering Soft Skills for Effective Leadership and Mentorship Comments Add Comment 1 min read Mastering React Testing with React Testing Library Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 12 '25 Mastering React Testing with React Testing Library # testing # javascript # tutorial # react Comments Add Comment 2 min read Harnessing JavaScript for Next-Gen RESTful API Interactions Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Nov 11 '25 Harnessing JavaScript for Next-Gen RESTful API Interactions # api # javascript # webdev Comments Add Comment 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:44 |
https://youtu.be/FjMbVuAyWzg | 🎙️ Navigating change and evolving with purpose with Pamela Meyer, Author of Staying in the Game - 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":"0x0e792693e88ffe6c"}]},{"service":"GFEEDBACK","params":[{"key":"logged_in","value":"0"},{"key":"visitor_data","value":"CgtGcmxoclNoeHphOCitjZjLBjIKCgJLUhIEGgAgZmLfAgrcAjE1LllUPVhKeGtCdXl1ZDNWbmVTRlZ0cmtMbFl2dGJtYVpRUjJZVE50NFoyb2JfOFNhM1pSM2pLTzFRd3FkdXh6azBLZ0xpTmhQTDFvcEljSWlIZVZqM292T0x0OHN6ZzhIQUc5Mlh4XzkySU9CN0UzVG9YM0lsR2hHN2p1NnhJRkJuZGhNNF8xTjAzZDRnMHctbkQ0eTNvek1MX1FaVGZCUU1tWm4tS0trQzJnVmkwVTJXZFk0Wno1N01kSzhHZzZSTV9zWTlMazZKeFpnSDAwZEpmbW1lN1NEc2ZVY1EzUjdMU2Jva2pVcnR6MEpEUGp6SU1HQUVXQ3ZMcXpfSDZXTVVtUHpwV2FRUGlyMUtCMlNDc0l0R0J6Z3cxREQ3RjlMYWh4NW40bGM4YjVpOC0tMlRmUnVZNVpJQm0zckFnSjhfS3c0UTZicEd0TmFncEdEWGZmTUgxMlo2UQ%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_fmPxhoPZRjX8O48NB4XV24KaHElrMMqFAYwi7Eg1OQhHRgkussh7BwOcCE59TDtslLKPQ-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","sheetViewModel","listViewModel","listItemViewModel","badgeViewModel","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":"CgtGcmxoclNoeHphOCitjZjLBjIKCgJLUhIEGgAgZmLfAgrcAjE1LllUPVhKeGtCdXl1ZDNWbmVTRlZ0cmtMbFl2dGJtYVpRUjJZVE50NFoyb2JfOFNhM1pSM2pLTzFRd3FkdXh6azBLZ0xpTmhQTDFvcEljSWlIZVZqM292T0x0OHN6ZzhIQUc5Mlh4XzkySU9CN0UzVG9YM0lsR2hHN2p1NnhJRkJuZGhNNF8xTjAzZDRnMHctbkQ0eTNvek1MX1FaVGZCUU1tWm4tS0trQzJnVmkwVTJXZFk0Wno1N01kSzhHZzZSTV9zWTlMazZKeFpnSDAwZEpmbW1lN1NEc2ZVY1EzUjdMU2Jva2pVcnR6MEpEUGp6SU1HQUVXQ3ZMcXpfSDZXTVVtUHpwV2FRUGlyMUtCMlNDc0l0R0J6Z3cxREQ3RjlMYWh4NW40bGM4YjVpOC0tMlRmUnVZNVpJQm0zckFnSjhfS3c0UTZicEd0TmFncEdEWGZmTUgxMlo2UQ%3D%3D","rootVisualElementType":3832},"webPrefetchData":{"navigationEndpoints":[{"clickTrackingParams":"CAAQg2ciEwjMwIvbkIiSAxUgUjgFHdb3KNAyDHJlbGF0ZWQtYXV0b0i4tsmB7urGmRaaAQUIAxD4HcoBBFTXQgs=","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":"CAAQg2ciEwjMwIvbkIiSAxUgUjgFHdb3KNAyDHJlbGF0ZWQtYXV0b0i4tsmB7urGmRaaAQUIAxD4HcoBBFTXQgs=","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":"CAAQg2ciEwjMwIvbkIiSAxUgUjgFHdb3KNAyDHJlbGF0ZWQtYXV0b0i4tsmB7urGmRaaAQUIAxD4HcoBBFTXQgs=","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":"🎙️ Navigating change and evolving with purpose with Pamela Meyer, Author of Staying in the Game"}]},"viewCount":{"videoViewCountRenderer":{"viewCount":{"simpleText":"조회수 67회"},"shortViewCount":{"simpleText":"조회수 67회"},"originalViewCount":"0"}},"videoActions":{"menuRenderer":{"items":[{"menuServiceItemRenderer":{"text":{"runs":[{"text":"신고"}]},"icon":{"iconType":"FLAG"},"serviceEndpoint":{"clickTrackingParams":"COECELW0CRgAIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","showEngagementPanelEndpoint":{"identifier":{"tag":"PAabuse_report"},"globalConfiguration":{"params":"qgdxCAESC0ZqTWJWdUF5V3pnGmBFZ3RHYWsxaVZuVkJlVmQ2WjBBQldBQjRCWklCTWdvd0VpNW9kSFJ3Y3pvdkwya3VlWFJwYldjdVkyOXRMM1pwTDBacVRXSldkVUY1VjNwbkwyUmxabUYxYkhRdWFuQm4%3D"},"engagementPanelPresentationConfigs":{"engagementPanelPopupPresentationConfig":{"popupType":"PANEL_POPUP_TYPE_DIALOG"}}}},"trackingParams":"COECELW0CRgAIhMIzMCL25CIkgMVIFI4BR3W9yjQ"}}],"trackingParams":"COECELW0CRgAIhMIzMCL25CIkgMVIFI4BR3W9yjQ","topLevelButtons":[{"segmentedLikeDislikeButtonViewModel":{"likeButtonViewModel":{"likeButtonViewModel":{"toggleButtonViewModel":{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"LIKE","title":"3","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"COwCEKVBIhMIzMCL25CIkgMVIFI4BR3W9yjQ"}},{"innertubeCommand":{"clickTrackingParams":"COwCEKVBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","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":"CO0CEPqGBCITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","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":"CO0CEPqGBCITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/like"}},"likeEndpoint":{"status":"LIKE","target":{"videoId":"FjMbVuAyWzg"},"likeParams":"Cg0KC0ZqTWJWdUF5V3pnIAAyCwiujZjLBhCf_utF"}},"idamTag":"66426"}},"trackingParams":"CO0CEPqGBCITCMzAi9uQiJIDFSBSOAUd1vco0A=="}}}}}}}]}},"accessibilityText":"다른 사용자 3명과 함께 이 동영상에 좋아요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"COwCEKVBIhMIzMCL25CIkgMVIFI4BR3W9yjQ","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":"4","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"COsCEKVBIhMIzMCL25CIkgMVIFI4BR3W9yjQ"}},{"innertubeCommand":{"clickTrackingParams":"COsCEKVBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/removelike"}},"likeEndpoint":{"status":"INDIFFERENT","target":{"videoId":"FjMbVuAyWzg"},"removeLikeParams":"Cg0KC0ZqTWJWdUF5V3pnGAAqCwiujZjLBhCX_OxF"}}}]}},"accessibilityText":"다른 사용자 3명과 함께 이 동영상에 좋아요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"COsCEKVBIhMIzMCL25CIkgMVIFI4BR3W9yjQ","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.like.button","tooltip":"좋아요 취소"}},"identifier":"watch-like","trackingParams":"COECELW0CRgAIhMIzMCL25CIkgMVIFI4BR3W9yjQ","isTogglingDisabled":true}},"likeStatusEntityKey":"EgtGak1iVnVBeVd6ZyA-KAE%3D","likeStatusEntity":{"key":"EgtGak1iVnVBeVd6ZyA-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":"COkCEKiPCSITCMzAi9uQiJIDFSBSOAUd1vco0A=="}},{"innertubeCommand":{"clickTrackingParams":"COkCEKiPCSITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","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":"COoCEPmGBCITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","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":"COoCEPmGBCITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/dislike"}},"likeEndpoint":{"status":"DISLIKE","target":{"videoId":"FjMbVuAyWzg"},"dislikeParams":"Cg0KC0ZqTWJWdUF5V3pnEAAiCwiujZjLBhD_su5F"}},"idamTag":"66425"}},"trackingParams":"COoCEPmGBCITCMzAi9uQiJIDFSBSOAUd1vco0A=="}}}}}}}]}},"accessibilityText":"동영상에 싫어요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"COkCEKiPCSITCMzAi9uQiJIDFSBSOAUd1vco0A==","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":"COgCEKiPCSITCMzAi9uQiJIDFSBSOAUd1vco0A=="}},{"innertubeCommand":{"clickTrackingParams":"COgCEKiPCSITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/removelike"}},"likeEndpoint":{"status":"INDIFFERENT","target":{"videoId":"FjMbVuAyWzg"},"removeLikeParams":"Cg0KC0ZqTWJWdUF5V3pnGAAqCwiujZjLBhCL3O5F"}}}]}},"accessibilityText":"동영상에 싫어요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"COgCEKiPCSITCMzAi9uQiJIDFSBSOAUd1vco0A==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.dislike.button","tooltip":"이 동영상이 마음에 들지 않습니다."}},"trackingParams":"COECELW0CRgAIhMIzMCL25CIkgMVIFI4BR3W9yjQ","isTogglingDisabled":true}},"dislikeEntityKey":"EgtGak1iVnVBeVd6ZyA-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":"EgtGak1iVnVBeVd6ZyD8AygB"}},{"buttonViewModel":{"iconName":"SHARE","title":"공유","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"COYCEOWWARgDIhMIzMCL25CIkgMVIFI4BR3W9yjQ"}},{"innertubeCommand":{"clickTrackingParams":"COYCEOWWARgDIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/share/get_share_panel"}},"shareEntityServiceEndpoint":{"serializedShareEntity":"CgtGak1iVnVBeVd6Z6ABAQ%3D%3D","commands":[{"clickTrackingParams":"COYCEOWWARgDIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","openPopupAction":{"popup":{"unifiedSharePanelRenderer":{"trackingParams":"COcCEI5iIhMIzMCL25CIkgMVIFI4BR3W9yjQ","showLoadingSpinner":true}},"popupType":"DIALOG","beReused":true}}]}}}]}},"accessibilityText":"공유","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"COYCEOWWARgDIhMIzMCL25CIkgMVIFI4BR3W9yjQ","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":"COQCEOuQCSITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","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":"COUCEPuGBCITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","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%253DFjMbVuAyWzg\u0026hl=ko\u0026ec=66427","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"COUCEPuGBCITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}},"idamTag":"66427"}},"trackingParams":"COUCEPuGBCITCMzAi9uQiJIDFSBSOAUd1vco0A=="}}}}}},"trackingParams":"COQCEOuQCSITCMzAi9uQiJIDFSBSOAUd1vco0A=="}},"topLevelButton":{"buttonViewModel":{"iconName":"PLAYLIST_ADD","title":"저장","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"COICEOuQCSITCMzAi9uQiJIDFSBSOAUd1vco0A=="}},{"innertubeCommand":{"clickTrackingParams":"COICEOuQCSITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","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":"COMCEPuGBCITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","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%253DFjMbVuAyWzg\u0026hl=ko\u0026ec=66427","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"COMCEPuGBCITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}},"idamTag":"66427"}},"trackingParams":"COMCEPuGBCITCMzAi9uQiJIDFSBSOAUd1vco0A=="}}}}}}}]}},"accessibilityText":"재생목록에 저장","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"COICEOuQCSITCMzAi9uQiJIDFSBSOAUd1vco0A==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","tooltip":"저장"}}}}]}},"trackingParams":"COECELW0CRgAIhMIzMCL25CIkgMVIFI4BR3W9yjQ","superTitleLink":{"runs":[{"text":"The Agile in Action Podcast with Bill Raymond","navigationEndpoint":{"clickTrackingParams":"COECELW0CRgAIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/playlist?list=PLWzwUIYZpnJsGnFUCmugOjrxYFOFNF93B","webPageType":"WEB_PAGE_TYPE_PLAYLIST","rootVe":5754,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"VLPLWzwUIYZpnJsGnFUCmugOjrxYFOFNF93B"}}}]},"dateText":{"simpleText":"2023. 10. 10."},"relativeDateText":{"accessibility":{"accessibilityData":{"label":"2년 전"}},"simpleText":"2년 전"}}},{"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":"COACEOE5IhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","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":"COACEOE5IhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","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":"COACEOE5IhMIzMCL25CIkgMVIFI4BR3W9yjQ"}},"subscribeButton":{"subscribeButtonRenderer":{"buttonText":{"runs":[{"text":"구독"}]},"subscribed":false,"enabled":true,"type":"FREE","channelId":"UCo63gWfWRfEciJ98mJLIU0Q","showPreferences":false,"subscribedButtonText":{"runs":[{"text":"구독중"}]},"unsubscribedButtonText":{"runs":[{"text":"구독"}]},"trackingParams":"CNECEJsrIhMIzMCL25CIkgMVIFI4BR3W9yjQKPgdMgV3YXRjaA==","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":"CN8CEPBbIhMIzMCL25CIkgMVIFI4BR3W9yjQ","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":"CN4CEPBbIhMIzMCL25CIkgMVIFI4BR3W9yjQ","accessibilityData":{"accessibilityData":{"label":"현재 설정은 알림 수신 안함입니다. Bill Raymond 채널의 알림 설정을 변경하려면 탭하세요."}}}}}],"currentStateId":3,"trackingParams":"CNcCEJf5ASITCMzAi9uQiJIDFSBSOAUd1vco0A==","command":{"clickTrackingParams":"CNcCEJf5ASITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","commandExecutorCommand":{"commands":[{"clickTrackingParams":"CNcCEJf5ASITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","openPopupAction":{"popup":{"menuPopupRenderer":{"items":[{"menuServiceItemRenderer":{"text":{"simpleText":"맞춤설정"},"icon":{"iconType":"NOTIFICATIONS_NONE"},"serviceEndpoint":{"clickTrackingParams":"CN0CEOy1BBgDIhMIzMCL25CIkgMVIFI4BR3W9yjQMhJQUkVGRVJFTkNFX0RFRkFVTFTKAQRU10IL","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/notification/modify_channel_preference"}},"modifyChannelNotificationPreferenceEndpoint":{"params":"ChhVQ282M2dXZldSZkVjaUo5OG1KTElVMFESAggBGAAgBFITCgIIAxILRmpNYlZ1QXlXemcYAA%3D%3D"}},"trackingParams":"CN0CEOy1BBgDIhMIzMCL25CIkgMVIFI4BR3W9yjQ","isSelected":true}},{"menuServiceItemRenderer":{"text":{"simpleText":"없음"},"icon":{"iconType":"NOTIFICATIONS_OFF"},"serviceEndpoint":{"clickTrackingParams":"CNwCEO21BBgEIhMIzMCL25CIkgMVIFI4BR3W9yjQMhtQUkVGRVJFTkNFX05PX05PVElGSUNBVElPTlPKAQRU10IL","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/notification/modify_channel_preference"}},"modifyChannelNotificationPreferenceEndpoint":{"params":"ChhVQ282M2dXZldSZkVjaUo5OG1KTElVMFESAggDGAAgBFITCgIIAxILRmpNYlZ1QXlXemcYAA%3D%3D"}},"trackingParams":"CNwCEO21BBgEIhMIzMCL25CIkgMVIFI4BR3W9yjQ","isSelected":false}},{"menuServiceItemRenderer":{"text":{"runs":[{"text":"구독 취소"}]},"icon":{"iconType":"PERSON_MINUS"},"serviceEndpoint":{"clickTrackingParams":"CNgCENuLChgFIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CNgCENuLChgFIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","openPopupAction":{"popup":{"confirmDialogRenderer":{"trackingParams":"CNkCEMY4IhMIzMCL25CIkgMVIFI4BR3W9yjQ","dialogMessages":[{"runs":[{"text":"Bill Raymond"},{"text":" 구독을 취소하시겠습니까?"}]}],"confirmButton":{"buttonRenderer":{"style":"STYLE_BLUE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"구독 취소"}]},"serviceEndpoint":{"clickTrackingParams":"CNsCEPBbIhMIzMCL25CIkgMVIFI4BR3W9yjQMgV3YXRjaMoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/unsubscribe"}},"unsubscribeEndpoint":{"channelIds":["UCo63gWfWRfEciJ98mJLIU0Q"],"params":"CgIIAxILRmpNYlZ1QXlXemcYAA%3D%3D"}},"accessibility":{"label":"구독 취소"},"trackingParams":"CNsCEPBbIhMIzMCL25CIkgMVIFI4BR3W9yjQ"}},"cancelButton":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"취소"}]},"accessibility":{"label":"취소"},"trackingParams":"CNoCEPBbIhMIzMCL25CIkgMVIFI4BR3W9yjQ"}},"primaryIsCancel":false}},"popupType":"DIALOG"}}]}},"trackingParams":"CNgCENuLChgFIhMIzMCL25CIkgMVIFI4BR3W9yjQ"}}]}},"popupType":"DROPDOWN"}}]}},"targetId":"notification-bell","secondaryIcon":{"iconType":"EXPAND_MORE"}}},"targetId":"watch-subscribe","signInEndpoint":{"clickTrackingParams":"CNECEJsrIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","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":"CNYCEP2GBCITCMzAi9uQiJIDFSBSOAUd1vco0DIJc3Vic2NyaWJlygEEVNdCCw==","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%253DFjMbVuAyWzg%26continue_action%3DQUFFLUhqbGd2MzRqWjc2N1FjcElCZ2V0QzdkTFU2dC1IUXxBQ3Jtc0tsTzNLN0NhV2c0WWFKUDBaMXRpU3A3TjRPREFETW9UbXF2NnBDZkZBSno5dmRpZVh2S2RFWV9sZGdGUWg3QXNwVUFpTXR4aXA5VWI0NlFiYWdDTDU3b3B6QUtLYmJMbm1GMkxqTUNQazZlY3laVVdrWWdYTVpPWV9jTHBFcXhObVlwR0Q2eGNWZFBqQ3BnLTVEXzhvNGNyWHVkNW54b1o3OUd5T0MwZl9rTHprb05LTjIxaHBFcFBVSkUyRkZheTQzdXVPOGo\u0026hl=ko\u0026ec=66429","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CNYCEP2GBCITCMzAi9uQiJIDFSBSOAUd1vco0MoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}},"continueAction":"QUFFLUhqbGd2MzRqWjc2N1FjcElCZ2V0QzdkTFU2dC1IUXxBQ3Jtc0tsTzNLN0NhV2c0WWFKUDBaMXRpU3A3TjRPREFETW9UbXF2NnBDZkZBSno5dmRpZVh2S2RFWV9sZGdGUWg3QXNwVUFpTXR4aXA5VWI0NlFiYWdDTDU3b3B6QUtLYmJMbm1GMkxqTUNQazZlY3laVVdrWWdYTVpPWV9jTHBFcXhObVlwR0Q2eGNWZFBqQ3BnLTVEXzhvNGNyWHVkNW54b1o3OUd5T0MwZl9rTHprb05LTjIxaHBFcFBVSkUyRkZheTQzdXVPOGo","idamTag":"66429"}},"trackingParams":"CNYCEP2GBCITCMzAi9uQiJIDFSBSOAUd1vco0A=="}}}}}},"subscribedEntityKey":"EhhVQ282M2dXZldSZkVjaUo5OG1KTElVMFEgMygB","onSubscribeEndpoints":[{"clickTrackingParams":"CNECEJsrIhMIzMCL25CIkgMVIFI4BR3W9yjQKPgdMgV3YXRjaMoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/subscribe"}},"subscribeEndpoint":{"channelIds":["UCo63gWfWRfEciJ98mJLIU0Q"],"params":"EgIIAxgAIgtGak1iVnVBeVd6Zw%3D%3D"}}],"onUnsubscribeEndpoints":[{"clickTrackingParams":"CNECEJsrIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CNECEJsrIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","openPopupAction":{"popup":{"confirmDialogRenderer":{"trackingParams":"CNMCEMY4IhMIzMCL25CIkgMVIFI4BR3W9yjQ","dialogMessages":[{"runs":[{"text":"Bill Raymond"},{"text":" 구독을 취소하시겠습니까?"}]}],"confirmButton":{"buttonRenderer":{"style":"STYLE_BLUE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"구독 취소"}]},"serviceEndpoint":{"clickTrackingParams":"CNUCEPBbIhMIzMCL25CIkgMVIFI4BR3W9yjQKPgdMgV3YXRjaMoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/unsubscribe"}},"unsubscribeEndpoint":{"channelIds":["UCo63gWfWRfEciJ98mJLIU0Q"],"params":"CgIIAxILRmpNYlZ1QXlXemcYAA%3D%3D"}},"accessibility":{"label":"구독 취소"},"trackingParams":"CNUCEPBbIhMIzMCL25CIkgMVIFI4BR3W9yjQ"}},"cancelButton":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"취소"}]},"accessibility":{"label":"취소"},"trackingParams":"CNQCEPBbIhMIzMCL25CIkgMVIFI4BR3W9yjQ"}},"primaryIsCancel":false}},"popupType":"DIALOG"}}]}}],"timedAnimationData":{"animationTiming":[2112280],"macroMarkersIndex":[0],"animationDurationSecs":1.5,"borderStrokeThicknessDp":2,"borderOpacity":1,"fillOpacity":0,"trackingParams":"CNICEPBbIhMIzMCL25CIkgMVIFI4BR3W9yjQ","animationOrigin":"ANIMATION_ORIGIN_SMARTIMATION"}}},"metadataRowContainer":{"metadataRowContainerRenderer":{"collapsedItemCount":0,"trackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQ"}},"showMoreText":{"simpleText":"...더보기"},"showLessText":{"simpleText":"간략히"},"trackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQ","defaultExpanded":false,"descriptionCollapsedLines":3,"showMoreCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandExecutorCommand":{"commands":[{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","changeEngagementPanelVisibilityAction":{"targetId":"engagement-panel-structured-description","visibility":"ENGAGEMENT_PANEL_VISIBILITY_EXPANDED"}},{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","scrollToEngagementPanelCommand":{"targetId":"engagement-panel-structured-description"}}]}},"showLessCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","changeEngagementPanelVisibilityAction":{"targetId":"engagement-panel-structured-description","visibility":"ENGAGEMENT_PANEL_VISIBILITY_HIDDEN"}},"attributedDescription":{"content":"Unpack the essentials of embodied agile leadership so you can thrive amidst constant change.\n\nIn today's podcast, I share this insightful conversation with leadership agility expert Pamela Meyer about her latest book, \"Staying in the Game: Leading and Learning with Agility for a Dynamic Future.\"\n\nPamela and I share practical advice for leaders cultivating the mindsets and practices needed to stay agile, resilient, and continuously learning amidst constant change.\n\nHere is what you will learn:\n\n✅ The four dynamics for staying agile: meaningful identity, community, competition, and commitment\n✅ Why leaders need a learning vs. controlling mindset\n✅ Examples of agile leaders in action\n🎉 How to avoid losing momentum by connecting to your intrinsic motivations\n\n🔗 To get access to the links mentioned in this podcast, please visit the Agile in Action podcast website here:\nhttps://agileinaction.com/agile-in-ac...\n\n🎧 Listen now\nApple Podcasts: https://apple.co/3e35K9O\nGoogle: https://bit.ly/3sFYpBe\nSpotify: https://spoti.fi/3e40d34\n\nKey moments:\n00:00 Podcast intro\n00:13 Introducing Pamela Meyer\n01:26 Pamela's books\n02:56 Avoid losing momentum\n05:24 Introducing the Four Dynamics\n07:00 Meaningful identity\n09:03 Competition\n15:26 Commitment\n18:24 Case studies\n22:29 Plan bias \n25:25 Defensiveness vs. commitment\n31:19 Improvement takeaways\n31:19 Ideas for improvement\n34:09 How to reach Pamela Meyer","commandRuns":[{"startIndex":879,"length":40,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQSLi2yYHu6saZFsoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbjdFQ284MGE1U3Bua3V6VkNrc1V2MldTb0U5QXxBQ3Jtc0tuUVI4Y1NSTmZ6WFlBWWUtVk1uQmdScnlmOWlBNjdUZFRYelNleWdiVC1MRzZnMlFfMEZzaExLWnhsQTNHQXlqRGxUM3VSOFFhdkdlVUJ2ekk0ZjZxN0hobUE3YVZOYzNESnFLUGxwdDlZMS1uVmtDTQ\u0026q=https%3A%2F%2Fagileinaction.com%2Fagile-in-action-podcast%2F2023%2F10%2F10%2Fnavigating-change-and-evolving-with-purpose.html\u0026v=FjMbVuAyWzg","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbjdFQ284MGE1U3Bua3V6VkNrc1V2MldTb0U5QXxBQ3Jtc0tuUVI4Y1NSTmZ6WFlBWWUtVk1uQmdScnlmOWlBNjdUZFRYelNleWdiVC1MRzZnMlFfMEZzaExLWnhsQTNHQXlqRGxUM3VSOFFhdkdlVUJ2ekk0ZjZxN0hobUE3YVZOYzNESnFLUGxwdDlZMS1uVmtDTQ\u0026q=https%3A%2F%2Fagileinaction.com%2Fagile-in-action-podcast%2F2023%2F10%2F10%2Fnavigating-change-and-evolving-with-purpose.html\u0026v=FjMbVuAyWzg","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":951,"length":24,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQSLi2yYHu6saZFsoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqblJzT2FxU1p6Q1NRSUJaUlFGRHNmUERaZ1ptUXxBQ3Jtc0tsUDFqQzFVMGlWakhlUkc3YTlyLTJRYzNKRmxTU3p2akpfR3YxUkltVy1hcXZPUEdHTkw0V0d4T3hmZjZ4a242Z1lIaVN2SnNsUHg0ZmxENnBsd3NkQVo1a1R0OUJxS0JKWXp2ZjVjRE9OUERkTGhrRQ\u0026q=https%3A%2F%2Fapple.co%2F3e35K9O\u0026v=FjMbVuAyWzg","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqblJzT2FxU1p6Q1NRSUJaUlFGRHNmUERaZ1ptUXxBQ3Jtc0tsUDFqQzFVMGlWakhlUkc3YTlyLTJRYzNKRmxTU3p2akpfR3YxUkltVy1hcXZPUEdHTkw0V0d4T3hmZjZ4a242Z1lIaVN2SnNsUHg0ZmxENnBsd3NkQVo1a1R0OUJxS0JKWXp2ZjVjRE9OUERkTGhrRQ\u0026q=https%3A%2F%2Fapple.co%2F3e35K9O\u0026v=FjMbVuAyWzg","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":984,"length":22,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQSLi2yYHu6saZFsoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbHdtMXg4V3hycVJFSl9xVWpOWmVMN0lXdUl0d3xBQ3Jtc0trRDNMRnZHY0wzeWxLZkdsZlpxakdMb1NvZzhUdTFXMFlYU2pVTV9yMnNwc2VidXIzSmd1RzdGS3dIVU5HTFZqdXdUTFVLcnJlX3BvaGlHOVlsNmI3RDFZQlB6a1BmQncxbmRfR3JEN1BlVE50dEg0Zw\u0026q=https%3A%2F%2Fbit.ly%2F3sFYpBe\u0026v=FjMbVuAyWzg","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbHdtMXg4V3hycVJFSl9xVWpOWmVMN0lXdUl0d3xBQ3Jtc0trRDNMRnZHY0wzeWxLZkdsZlpxakdMb1NvZzhUdTFXMFlYU2pVTV9yMnNwc2VidXIzSmd1RzdGS3dIVU5HTFZqdXdUTFVLcnJlX3BvaGlHOVlsNmI3RDFZQlB6a1BmQncxbmRfR3JEN1BlVE50dEg0Zw\u0026q=https%3A%2F%2Fbit.ly%2F3sFYpBe\u0026v=FjMbVuAyWzg","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1016,"length":24,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQSLi2yYHu6saZFsoBBFTXQgs=","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbGJSVy1pblBDczVDTDZINWstTTdGSXIxanVnUXxBQ3Jtc0tuUGhsdVdoaGhhZG0weE1ObVFVc255aEVXb1p5M2lkXy1weTV4X0t2M0lnOFpjaUhrU0tYc2dKLVRmT3ppTGdoVnUxMkx2ZG5KRXZ5R3FSSC1KUEdDcW81LWhZMmhEX045aXZFcWJoc3QxeTBTaDVFdw\u0026q=https%3A%2F%2Fspoti.fi%2F3e40d34\u0026v=FjMbVuAyWzg","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbGJSVy1pblBDczVDTDZINWstTTdGSXIxanVnUXxBQ3Jtc0tuUGhsdVdoaGhhZG0weE1ObVFVc255aEVXb1p5M2lkXy1weTV4X0t2M0lnOFpjaUhrU0tYc2dKLVRmT3ppTGdoVnUxMkx2ZG5KRXZ5R3FSSC1KUEdDcW81LWhZMmhEX045aXZFcWJoc3QxeTBTaDVFdw\u0026q=https%3A%2F%2Fspoti.fi%2F3e40d34\u0026v=FjMbVuAyWzg","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":1055,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":0,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"0초"}}},{"startIndex":1075,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=13s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":13,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026osts=13\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"13초"}}},{"startIndex":1106,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=86s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":86,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026osts=86\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"1분 26초"}}},{"startIndex":1127,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=176s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":176,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026osts=176\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"2분 56초"}}},{"startIndex":1155,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=324s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":324,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026osts=324\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"5분 24초"}}},{"startIndex":1191,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=420s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":420,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026osts=420\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"7분"}}},{"startIndex":1217,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=543s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":543,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026osts=543\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"9분 3초"}}},{"startIndex":1235,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=926s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":926,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026osts=926\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"15분 26초"}}},{"startIndex":1252,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=1104s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":1104,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026osts=1104\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"18분 24초"}}},{"startIndex":1271,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=1349s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":1349,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026osts=1349\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"22분 29초"}}},{"startIndex":1288,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=1525s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":1525,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.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=16331b56e0325b38\u0026ip=1.208.108.242\u0026osts=1525\u0026initcwndbps=4452500\u0026mt=1768293662\u0026oweuc=\u0026pxtags=Cg4KAnR4Egg1MTUzOTgzMA\u0026rxtags=Cg4KAnR4Egg1MTUzOTgzMA%2CCg4KAnR4Egg1MTUzOTgzMQ"}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"25분 25초"}}},{"startIndex":1323,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CNACEM2rARgBIhMIzMCL25CIkgMVIFI4BR3W9yjQygEEVNdCCw==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=FjMbVuAyWzg\u0026t=1879s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"FjMbVuAyWzg","continuePlayback":true,"startTimeSeconds":1879,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr6---sn-ab02a0nfpgxapox-bh2z6.googlevideo.com/initplayback?s | 2026-01-13T08:47:44 |
https://github.com/DevCycleHQ | DevCycle · GitHub Skip to content Navigation Menu Toggle navigation Sign in Appearance settings DevCycleHQ Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} DevCycle Feature Management for Modern Devs Verified We've verified that the organization DevCycleHQ controls the domain: devcycle.com Learn more about verified organizations 50 followers Canada https://devcycle.com X @devcyclehq support@devcycle.com Overview Repositories Packages People More Overview Repositories Packages People README.md Welcome to DevCycle! Check out the following to get yourself up and running Read our getting started documentation Join our Discord Select the SDK of your choosing Head to our Application Dashboard Read about our Feature Management API Or directly use our Bucketing API Pinned Loading android-client-sdk android-client-sdk Public DevCycle - Android Client SDK Kotlin 24 6 ios-client-sdk ios-client-sdk Public DevCycle - iOS SDKs (Includes macOS, watchOS, tvOS) Swift 23 5 java-server-sdk java-server-sdk Public DevCycle - Java Server SDK Java 20 go-server-sdk go-server-sdk Public DevCycle - Go Server SDK Go 18 4 python-server-sdk python-server-sdk Public DevCycle - Python Server SDK Python 19 6 Repositories --> Loading Type Select type All Public Sources Forks Archived Mirrors Templates Language Select language All Brightscript C# Dart Go Java JavaScript Kotlin PHP Python Ruby Rust Swift TypeScript Sort Select order Last updated Name Stars Showing 10 of 32 repositories assemblyscript-json Public DevCycle - AssemblyScript-JSON Fork Uh oh! There was an error while loading. Please reload this page . DevCycleHQ/assemblyscript-json’s past year of commit activity TypeScript 1 MIT 0 0 5 Updated Jan 12, 2026 js-sdks Public DevCycle - JS Based SDKs Uh oh! There was an error while loading. Please reload this page . DevCycleHQ/js-sdks’s past year of commit activity TypeScript 37 MIT 10 0 9 Updated Jan 9, 2026 devcycle-docs Public DevCycle - Public Documentation Uh oh! There was an error while loading. Please reload this page . DevCycleHQ/devcycle-docs’s past year of commit activity JavaScript 5 24 1 2 Updated Jan 9, 2026 python-server-sdk Public DevCycle - Python Server SDK Uh oh! There was an error while loading. Please reload this page . DevCycleHQ/python-server-sdk’s past year of commit activity Python 19 MIT 6 0 0 Updated Jan 9, 2026 sdk-proxy Public DevCycle - SDK Proxy Uh oh! There was an error while loading. Please reload this page . DevCycleHQ/sdk-proxy’s past year of commit activity Go 5 MIT 2 0 0 Updated Jan 8, 2026 cli Public DevCycle - CLI Uh oh! There was an error while loading. Please reload this page . DevCycleHQ/cli’s past year of commit activity TypeScript 18 MIT 4 0 2 Updated Jan 7, 2026 go-server-sdk Public DevCycle - Go Server SDK Uh oh! There was an error while loading. Please reload this page . DevCycleHQ/go-server-sdk’s past year of commit activity Go 18 MIT 4 0 0 Updated Jan 5, 2026 vscode-extension Public DevCycle - VSCode Extension Uh oh! There was an error while loading. Please reload this page . DevCycleHQ/vscode-extension’s past year of commit activity TypeScript 4 MIT 1 0 1 Updated Jan 2, 2026 homebrew-cli Public DevCycle - Homebrew install for the CLI Uh oh! There was an error while loading. Please reload this page . DevCycleHQ/homebrew-cli’s past year of commit activity Ruby 1 0 0 1 Updated Jan 2, 2026 test-harness Public DevCycle - Test Harness Uh oh! There was an error while loading. Please reload this page . DevCycleHQ/test-harness’s past year of commit activity TypeScript 5 MIT 1 0 4 Updated Jan 2, 2026 View all repositories People Top languages Loading… Uh oh! There was an error while loading. Please reload this page . Most used topics Loading… Uh oh! There was an error while loading. Please reload this page . Developer Program Member Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:47:44 |
https://dev.to/codenewbie/s27e8-learning-ai-matt-eland#main-content | S27:E8 - Learning AI (Matt Eland) - 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 CodeNewbie Follow S27:E8 - Learning AI (Matt Eland) May 22 '24 play Meet Matt Eland, AI Specialist at Leading EDJE. Matt shares what sparked his passion for AI years ago, why he’s made the decision to go back to school for his master's degree and how he aims to continue spreading his expertise with the community. Show Links Partner with Dev & CodeNewbie! (sponsor) Matt on Data Science Central Ohio .NET Developer Group Matt's Twitter Matt's GitHub Matt's LinkedIn Matt Eland Matt is a habitual learner, speaker, and author who seeks to learn new things and share them with others in the nerdiest ways possible. Matt is a Microsoft MVP in AI, runs 2 blogs, a YouTube channel, organizes the Central Ohio .NET Developer Group, is currently working on his second book, second course, and finishing his master's degree. We're told Matt occasionally sleeps as well. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand SAMUEL ADENIJI SAMUEL ADENIJI SAMUEL ADENIJI Follow I am a website developer and a game developer Email samuel.adeniji2012@gmail.com Location Nigeria Education Codingal online class Pronouns Mr Work website developer Joined May 30, 2024 • Dec 5 '24 Dropdown menu Copy link Hide * Matt Eland is a passionate learner, speaker, and author dedicated to exploring and sharing knowledge in the most enthusiastic ways. As a Microsoft MVP in AI, he actively contributes to the tech community through his two blogs, YouTube channel, and by organizing the Central Ohio .NET Developer Group. Currently, Matt is balancing his work on a second book and course while also completing his master's degree. * Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Mark John Mark John Mark John Follow i am a developer works at spotiepremium.com you can get spotify premium here Joined Jan 25, 2025 • Jan 25 '25 Dropdown menu Copy link Hide Matt Eland’s work in AI and his passion for learning and sharing knowledge is truly inspiring. It’s exciting to see how he balances multiple projects while contributing so much to the tech community. For those interested in exploring more about AI and enjoying personalized music, check out Spotify X APK for a premium experience! Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand SPOTI PREMIUM BR SPOTI PREMIUM BR SPOTI PREMIUM BR Follow Joined May 3, 2025 • May 3 '25 Dropdown menu Copy link Hide Download. Play. Repeat. Discover the free Spotify Premium APK experience at spotipremium.com.br . Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand spotify brazil spotify brazil spotify brazil Follow Enjoy unlimited music with Spotify Premium APK! Joined Mar 15, 2025 • May 4 '25 Dropdown menu Copy link Hide Discover the joy of uninterrupted music. Spotify Premium APK from thespotifypremium.org/ gives you the best of Spotify—offline access, skip freedom, and crystal-clear sound—all unlocked for free. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Spoti Premium Mx Spoti Premium Mx Spoti Premium Mx Follow Joined May 19, 2025 • May 19 '25 Dropdown menu Copy link Hide Spotify Premium APK delivers uninterrupted music, personalized playlists, and offline access. You can download the updated APK directly from spotipremiums.com.mx/ . Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nekopoi APK Nekopoi APK Nekopoi APK Follow If you love watching uncensored, high-quality anime, NekoPoi APK is the app for you. Joined May 25, 2025 • Jun 8 '25 Dropdown menu Copy link Hide The 2025 version of NekoPoi APK ios from nekopoisapk.com/nekopoi-apk-ios/ is perfect for iPhone users. It offers a great viewing experience with its easy-to-use design and huge library. NekoPoi is a favorite spot for anime lovers all over the world. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Jack Jack Jack Follow Joined Feb 9, 2025 • Aug 22 '25 Dropdown menu Copy link Hide Matt’s journey is so inspiring! His dedication to learning and sharing AI knowledge is amazing. For anyone looking to create standout AI or tech videos, you can navigate to The Alight M Lab and explore the Alight Motion Mod APK for professional editing effects! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nelson Lawson Nelson Lawson Nelson Lawson Follow Fast food tech enthusiast 🍔 | Exploring digital ordering flows, UX in food apps, and structured data for menus. Joined Jul 17, 2025 • Jan 11 Dropdown menu Copy link Hide Listening to learning journeys like this really shows how exciting and approachable AI can become over time. Stories from real developers are always motivating for beginners and experienced learners alike. Outside of coding sessions, some people also relax with interactive games like the summertime saga apk for a change of pace. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Tariq Mehmood Tariq Mehmood Tariq Mehmood Follow Blogger from last 2 years Joined Aug 18, 2024 • Mar 10 '25 Dropdown menu Copy link Hide Spotify APK iOS cares about people who want to organize their songs in a specific order. This is achieved by creating folders and adding songs in them. The option is available for desktop users. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Custom Patches By Fineyst Custom Patches By Fineyst Custom Patches By Fineyst Follow Email robertthom398@gmail.com Location 122 Henderson Rd, Sandy Creek, NY 13145, USA Joined Jul 24, 2025 • Jul 31 '25 Dropdown menu Copy link Hide dev.to/robertthomas Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Tariq Mehmood Tariq Mehmood Tariq Mehmood Follow Blogger from last 2 years Joined Aug 18, 2024 • Mar 10 '25 Dropdown menu Copy link Hide The Geometry Dash 2.2 APK offers you the full game for free. You get to experience all the features of the original version such as the editor, customization, challenges, and much more. Download now the normal free version of Geometry Dash with no mod. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Custom Patches By Fineyst Custom Patches By Fineyst Custom Patches By Fineyst Follow Email robertthom398@gmail.com Location 122 Henderson Rd, Sandy Creek, NY 13145, USA Joined Jul 24, 2025 • Jul 31 '25 Dropdown menu Copy link Hide dev.to/robertthomas Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand PhotoRoom AI APK PhotoRoom AI APK PhotoRoom AI APK Follow You can create memes or viral content using PhotoRoom Pro APK. With its built-in text editor, adding bold captions is quick and simple. It’s ideal for meme pages and content creators. Joined Mar 28, 2025 • May 15 '25 Dropdown menu Copy link Hide Download PhotoRoom Pro APK offers multiple aspect ratios for editing. Whether you need a square, vertical, or landscape image, it adapts easily. This is perfect for editing across different platforms. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Elliott Dooley Elliott Dooley Elliott Dooley Follow Joined Sep 5, 2025 • Dec 10 '25 Dropdown menu Copy link Hide Matt’s journey really shows how continuous learning and community sharing can amplify the impact of any tech professional. What stands out is how he blends teaching, speaking, and hands-on projects in a way that keeps knowledge accessible and engaging for everyone. It actually reminds me of how platforms like eromeofficial.com.co emphasize clean presentation and organized content — because whether it’s AI education or digital publishing, clarity and structure make all the difference in how people absorb information. Matt’s ability to simplify complex AI topics while staying deeply involved across blogs, courses, and community groups is exactly the kind of approach that keeps tech education moving forward. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand harry jal harry jal harry jal Follow https://allfunnyjokes.com/ Joined Aug 16, 2025 • Nov 27 '25 Dropdown menu Copy link Hide This episode was really inspiring and I appreciate how Matt talks about learning AI as an ongoing journey listening to his story reminds me of how some apps and projects grow step by step with new skills added over time kind of like when I experimented with the Summertime Saga apk just to study how branching structures and character systems were designed seeing how different creators build complex paths makes me appreciate Matt’s dedication to teaching and exploring new ideas even more. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Sirtaj Aziz Sirtaj Aziz Sirtaj Aziz Follow Joined Apr 20, 2025 • May 7 '25 Dropdown menu Copy link Hide Sounds like an exciting episode! Learning AI with Matt Eland must have been a knowledge-packed session. If you're diving into AI and tech, you might also enjoy testing your strategy and reflexes with the n7 game it’s a fun way to challenge your mind while taking a break from coding and theory. 🚀🧠 Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand zukhruf fatima zukhruf fatima zukhruf fatima Follow Programmer Joined Sep 3, 2024 • Feb 28 '25 Dropdown menu Copy link Hide Users can export videos in up to 4K resolution at 60fps, ensuring high-quality output. This makes it an excellent choice for professional video production, including YouTube content, advertisements, and presentations . Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Custom Patches By Fineyst Custom Patches By Fineyst Custom Patches By Fineyst Follow Email robertthom398@gmail.com Location 122 Henderson Rd, Sandy Creek, NY 13145, USA Joined Jul 24, 2025 • Jul 31 '25 Dropdown menu Copy link Hide dev.to/robertthomas Like comment: Like comment: 1 like Like Comment button Reply Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:44 |
https://share.transistor.fm/s/9bb11fc4 | APIs You Won't Hate | Funding Open Source with Dudley Carr from Stack Aid APIs You Won't Hate 40 ? 30 : 10)" @keyup.document.left="seekBySeconds(-10)" @keyup.document.m="toggleMute" @keyup.document.s="toggleSpeed" @play="play(false, true)" @loadedmetadata="handleLoadedMetadata" @pause="pause(true)" preload="none" @timejump.window="seekToSeconds($event.detail.timestamp); shareTimeFormatted = formatTime($event.detail.timestamp)" > Trailer Bonus 10 40 ? 30 : 10)" class="seek-seconds-button" > 40 ? 30 : 10"> Subscribe Share More Info Download More episodes Subscribe newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyFeedUrl()" class="form-input-group" > Copied to clipboard Apple Podcasts Spotify Pocket Casts Overcast Castro YouTube Goodpods Goodpods Metacast Amazon Music Pandora CastBox Anghami Anghami Fountain JioSaavn Gaana iHeartRadio TuneIn TuneIn Player FM SoundCloud SoundCloud Deezer Podcast Addict Share newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyShareUrl()" class="form-input-group" > Share Copied to clipboard newValue ? setTimeout(() => copied = false, 2500) : null)" @click="copied = copyEmbedHtml()" class="form-input-group" > Embed Copied to clipboard Start at Trailer Bonus Full Transcript View the website updateDescriptionLinks($el))" class="episode-description" > Chapters January 23, 2023 by APIs You Won't Hate View the website Listen On Apple Podcasts Listen On Spotify Listen On YouTube RSS Feed Subscribe RSS Feed RSS Feed URL Copied! Follow Episode Details / Transcript Mike chats with Co-Founder of Stack Aid, Dudley Carr, about the importance of funding Open Source projects, and Stack Aid's approach to helping Open Source organizations get paid. Show Notes Stack Aid - https://www.stackaid.us/ Dudley Carr - @dudley@mastodon.social Creators and Guests Host Mike Bifulco Cofounder and host of APIs You Won't Hate. Blogs at https://mikebifulco.com Into 🚴♀️, espresso ☕, looking after 🌍. ex @Stripe @Google @Microsoft What is APIs You Won't Hate? A no-nonsense (well, some-nonsense) podcast about API design & development, new features in the world of HTTP, service-orientated architecture, microservices, and probably bikes. Mike Bifulco: Hello, hello, and welcome back to APIs you won't Hate. My name is Mike Balco. I am one of your api co-hosts and guide through the world of designing APIs and building APIs, and doing all sorts of good stuff with API tech. I am joined today for an interview with a new friend of mine, someone who I met at a conference here in North Carolina. We're gonna be talking a little bit today about his project and some of the sort of mission of open source and supporting open source and things like that. So today I'm chatting with Dudley Carr from Stack A Dudley. How are you doing today? Dudley Carr: I'm doing great. Thanks for having me on. Mike Bifulco: Yeah, of course. Super happy to have you here. I have lots of questions for you and I'm, I'm super glad you were able to make it because from our initial conversations when we sort of bumped into each other all over the place at all Things Open your work seemed very interesting to me. And I think a lot of the squad here that is part of the APIs you won't hate community will really. What you're doing. So I wanna talk all about that. I wanna talk about how you got to where you are and what you're doing at Stack and just kinda get some of the history on, on the project in yourself. So tell me a bit about yourself and tell me about Stack. Dudley Carr: Absolutely. So I've been a, in the software engineering space for the. 22 years. I did my undergraduate in computer science at Stanford and graduated at the peak of the dot com bubble burst. And briefly did a stint in finance, actually worked at Lehman Brothers on their exotic derivatives until I realized that stuff is insane and I got out. In the last 20 years, I've spent all of it working with my brother, who also did computer science, and so we've gone from one venture to the next. So he is not here, but is probably the. More important of the duo. And anyway, we did our first startup in Rhode Island in my parents' basement. I think there was radon in that basement, but we we managed we actually built in the, you know, 2002, 2003, we built a product that. Became g talker. It was flash-based, you know, pre action. It was action script, but before it was even before they released all of their UI toolkits and stuff like that. And back backend was Python. It was initially a desktop application, then became a. Web-based product. And we developed that out and ended up selling that to Google and moving to Seattle in 2006 to join the Google Talk team and work on that. And we spent about five years at Google going from one project to the next. First we were in apps and and then eventually I worked on Google Voice and then before leaving. So that was super formative for us. We learned a lot of things, met a lot of great people. I think that was kind of the heyday for Google And and then after that we, we did some more startups food, food related things. And then we joined a company called Moz that does SEO here in Seattle. And we spent another four or five years there, I helped run a large portion of their engineering team and then grew some of their product areas. That was also really formative for us in terms of, you know, understanding that space, growing teams and you know, just going through various product life cycles and things like that. At the end of our MOS experience, we actually did another startup with a friend here in Seattle around crowdfunding. And this was actually crowdfunding for sports team. So, There was another platform that was really taking off. We found out about Stripe Connect and started using that. And really the, the basis for it was, you know, you have like a high school football team. They're selling candy bars and things like that. There's a lot of inefficiencies there and there's a lot of price gouging actually by merchants who sell products to schools to do that. And so there was. You know, 2017, 2018, there was a real impetus to you know, move all of that stuff online. And we have a lot of learnings that I think happy to chat about, but that was kind of formative for us in terms of thinking about, you know, how you move money from a set of people who wanna support something to, to the recipients and what all is involved in that. That was also just kind of how we, we transitioned from that into consulting. So we've been doing consulting for. Four years you know, we're kind of embedded engineers and product specialists in inside of organizations and to help them transfer in companies. And that's gives us a ton of flexibility and allows us to do cool things like what we've done over the last couple of years. At the beginning of the pandemic by the way, we launched something called Covid Trace. So we had the hot idea to do contact tracing. We tried to launch an app immediately. It was blocked by Google and Apple. Mike Bifulco: Oh wow. Dudley Carr: you're, you're not doing anything location based and we're gonna sort this out first, which is great. I think it was totally the right move on their part. We ended up adopting their the exposure notification. APIs that they have, and we ended up lo, I think we were the second app to launch in the United States. And so we launched with the state of Nevada and worked with them over the course of two years doing exposure notifications, rolling that out for iOS and Android, and then eventually moving all of Nevada off of our custom app onto IOS's, built-in exposure notification function. And at the same time building out other things in terms of getting results to people and things like that. So really interesting problems around health totally unanticipated. So that, that was actually that was all open source. We released all of that infrastructure, open source and the apps. And then, yeah, about a year ago we started on decade. Mike Bifulco: Wow. Yeah, that's some in incredible back history there. I, I. Was not prepared for that, that much. Incredible problem solving that you've gotten into in your, your career. For sure. As someone who lived through an entire pandemic of being, you know, Locked in my home and not leaving and being very concerned about public health and those things. Super, super cool to hear, hear you worked on that and, and obviously impacted so many people. And also, you know, collaborated with the, the big organizations like Apple and Google. That's massively cool to hear. I also don't think I realized that you and I had some sort of shared overlap not overlap, but, but maybe an odd Venn diagram of career stuff before working at Stripe, I worked at Google for a couple years. Not quite on Google Voice, on Google Assistant, so voice related stuff at Google. Although I'm no longer there and actually probably worth mentioning for posterity since you and I met at All Things Open. I'm also no longer at Stripe. So I'm, I've left Stripe in the past couple weeks, but I'm very curious to hear about your experiences with Stripe Connect and, and all that. And so. All of this history of all the crazy things you've done and, and like working with complex teams and big problems and across devices and problem spaces, and I'm sure languages and all the other things that have changed since what, 2003 when you first got into the the, the world of, of building things has led you to where you're at now. So tell me a little bit about Stack Aid and what you're doing. There. Dudley Carr: Yeah, so Stack stack is a service that allows you to fund your second first order and second order dependencies automatically. It, the impetus for it came about a year and a half ago when we. You know, repeatedly saw articles about people exasperated by their inability to sustain their open source project because, you know, the demands have increased on what they have to deliver and the reach, you the reach of their open sources beyond their wildest dreams, but, you know, they, they basically pay for it in their spare time or it takes away from other paying opportunities that they have. And so you see a lot of people kind of torn in those situations. We, that really resonated with us. As I mentioned, you know, we had spent time in the fundraising arena and we, you know, we saw. Definitely momentum around Get Up sponsors an open collective, but we, we thought that there was an opportunity there. You know, I think what's super interesting about the software development space as opposed to any other space where people are trying to raise money is that we know we know what, what you use, right? There's sometimes it's imperative, but increasingly it's a declarative. Way of specifying all your dependencies. And so we can, we can do so many things automatically to determine what you use and, and potentially influence how we allocate money. And so the, the, the seed of an idea was there and we started exploring, you know, the feasibility of it and what that would look like, and is it an effective model, things like that. And so that's been like the last year and it's, it's. Super interesting. Kind of flushing that out and we're, we've been super happy with the results and the initial reception when we launched a couple of months ago. Mike Bifulco: So. I've seen it and I'm sort of familiar with the product, but I wanna make sure that you know, it's abundantly clear what you mean when you're talking about this. So we're talking about funding open source projects in a way that is sort of sustainable and based on your dependency graph for projects that you're using. So when you say first and second order dependencies, what do you mean? Dudley Carr: Yeah. So by first order, so let's take a Packers saw JSON in the node E. The first order of dependencies are the the dependencies and dev dependencies that you list directly in that za js o n. Now, those first order dependencies in turn have their own za js o, where they list their dependencies. That would be the second order of dependencies. Now you can walk that tree down all the way down, and there are gonna be lots and lots more. not unusual for a project to have literally thousands of. Dependencies in their dependency tree. But you know, from a funding perspective, you have to draw the line somewhere. Otherwise, you know, you take a certain amount of money and divide it into tiny little pieces and it becomes somewhat meaningless. So we wanted to, you know, the, the easy thing was would be to just fund first order dependencies. But we, we realized, you know, a lot of those open source projects also want to give. And if we, you know, defaults matter. And we realize that if we came up with a mechanism that, you know, when you find a first order dependency, it passes some of that onto its dependencies. You know, you're doing that automatically for the ecosystem. You're bene, you don't have to have everyone opt-in in order to have further reach into the ecosystem. And so yeah, that was the impetus to fund first and second order depend. Mike Bifulco: Yeah. Got it. So from the, I I, gosh, I don't even know what, what you would consider to be the end user, but from the perspective of someone who is doing the funding, doing the supporting what does that look like? Like what is, what is the process for me? Say for a project I'm running, let's say APIs, you won't hate.com, right? It's a, it's a no JS project. We've got a whole heap of dependencies that are sort of built into this thing. What would I need to do to adopt. Dudley Carr: a great question. So, you know, when you go to Staca us, there's the first step in the onboarding process is oh, often thing with GitHub and actually adding the GitHub app to either your personal organization or some other organization where repositories are we then scanned those repositories for you know, files like Bax, J S O N, or you know, others depending on whatever language you're. And we use those declarative list of dependencies, we ingest that and start looking at that dependency tree. Once we have that, we, you know, we, we put you in the dashboard. We show you what we had discovered, like which files and which repositories we're pulling from. And we presume initially that you ne you want to fund all of those. You can, you can be selective, right? So I wanna fund these repositories and these package digest and things like, Based on that, based on the first order and second order dependencies we've pulled from that. And you can then indicate as a level of support that you wanna do on a monthly basis. We then calculate how much would go to each of those projects. So it's hard to des describe, but there's a tree that we have in the, in the dashboard and it shows you, okay, you've got React or low dash, for example, as a first order dependency. It has these second order dependencies and it shows you the amount of your subscription that goes to each one of those. And so that breaks down when you're, the next step is to enter a credit card and then, then you're off to the races. Mike Bifulco: Yeah. Okay. So from, from my perspective, it is, you know off with GitHub, get this thing added to my stack of or to my GitHub organization. It'll go and, and I guess introspect and look at, or I guess inspect is probably even the right word there. Go look at all the projects I have and give me the the first and second order dependencies for each is the target. Then from there to say like, just using easy numbers I want to donate a hundred bucks a month. To these various organizations. I, I have one fixed cost and Stack Aid kind of does the rest from there. Dudley Carr: That's, that's exactly right. Yes. Mike Bifulco: Yeah. Wow. So how, well man, I, I feel like I have so many questions. How does the money get from A to B? Like, how do you track down the the various projects that are then being funded? Dudley Carr: Yeah, so that's the fun part about building something like this is because it's effectively kind of like a marketplace, right? I mean, we have, we're engaging with both. Individual developers and companies who are supporters and of course have a relationship with open source, maintain. So we have slowly been reaching out to open source maintainers kind of as we drive awareness or if they've receiving funding, we will reach out to them individually. , but we also have been realizing that, you know, a lot of these people don't know who we are. There's a lot of things grabbing at their attention. So if they have an existing relationship with GI UP sponsors or Open Collective, we actually just use our corporate credit card and make the donation on those platforms. So our, you know, our goal is to get the money in their hands. And if they have an existing relationship, we, we lean on that. So that, that's worked out well. But but primarily over time, I think for for the ease of developers and to give them more control in terms of, you know, how those funds are allocated. Especially if there are multiple people working on a project. Things like. You know, we we would like people to, you know, claim their project on stack. Mike Bifulco: Yeah, sure. What does that look like? Dudley Carr: So we use Stripe Connect under underneath. So you know, when you log into the dashboard and you owe off you also have to oth with GI up at the moment. We're working on other. Hosting platforms, but you o often we actually verify that you actually are a maintainer on those repositories that you're trying to claim. We list out those repositories you claim them. And then as part of that claiming process, we also need to collect the a Stripe account. So we send you over to Stripe. They get all of the, the details necessary. To basically give us a, a stripe account so that we can deposit funds into at the end of the month. And then that's it. Then you're, then you're able to collect money from stack. Mike Bifulco: Yeah. Wow, that's great. So, so I'd imagine there's some population of people who are very pleased to find out they can come to Stack Aid, click a couple of buttons and have money being funneled into their project every month. That, that's gotta feel pretty cool to be able to, I don't know, land that dream so seamlessly. Dudley Carr: Yeah, I mean, I think it speaks more distract than to us. I mean, honestly, that flow is amazing and there's so much complexity abstracted. But I think from an end developer perspective, it is surprisingly easy to get up and running. And yeah, and I think it's, it's pretty great, you know, when you show up that a lot of the times there's, you know, a couple of bucks at the very least waiting for you there, and you immediately get that. I think that has been an important part of stack it, which is, you know, you, you don't have to be a developer. Like the developer doesn't have to have an account in order for money to accrue for them. So you know, you have this kind of problem I think on GitHub sponsors an open collective initially where people didn't have a relationship with those platforms, so there wasn't a way to get money to them. A lot of people have set it up, but there's also a large portion of the ecosystem that has no relationship with them. And so it was important for us to be able to accrue money and, you know, show people that you can actually. there's money in the open source that they've contributed and have that as a carrot for them to sign up. Mike Bifulco: Sure. Yeah, that's, that's a really interesting model and having been exposed to GitHub sponsors a little bit, I know that like one of the nice things that comes along with this actually may, might be a Stripe Connect requirement, but to access Stripe Connect, you have to essentially have viable tax information, right? Like the, the right information to be able to be paid out. So that you're not just, you know, sending off money to some anonymous bucket somewhere. But instead, theoretically it's tied to like an L L C or an individual proprietor or, you know, a more complex corporation in the case of vicar businesses. But a lot of that is, I would imagine abstracted away from you. You just need them to, to, you know, click the button and connect to stack with Stripe Connect. Dudley Carr: One of the biggest concerns that we had out of the gate was you. All open source doesn't happen in the United States. There are people across the world, and the United States in particular has a requirement called know your customer. And so you need a lot of details in order to verify their identity and make, you know, make sure that this isn't for money laundering or some other scheme like that. And so that is actually all abstracted away for us. And that is pretty phenomenal if we. A, a two person operation. There's just no way you're gonna Mike Bifulco: Yeah, Dudley Carr: that. Mike Bifulco: the, the scope and scale of those money laundering operations is far more complex and sophisticated than, you know, I think we might realize as, as sort of an average consumer. You know, again, I'm, I'm not at Stripe any longer, but during my tenure there, like you, you do Financial crimes training and it's pretty astonishing in the creative ways people, you know, will, will go to lengths to make money disappear or just harder to trace whatever the case may be. And nice that you don't have to worry about that. There's a lot of mechanisms in place to detect and prevent that fraud as well. . Okay. So I, I want to know a little bit about when did you what, what signals were you given that this was something that was going to work? In other words that when you're starting to build stack, because it's only a year and change old at this point was there a moment or a series of events that sort of made you feel like, oh, this is something that actually has some momentum behind it? Dudley Carr: Yeah, I think well, I think we had to prove to ourselves that it's viable and, you know, we, we have, there's some nuance to the model in terms of how we distribute that money. And, and more importantly, what's interesting about this problem is that it's not a one-time thing. So if no one shows up to collect the money, what do you do with that money? So there's a time component to it as well. Mike Bifulco: Yeah. Dudley Carr: we wanted, so we. There's complexity around the model to some degree in terms of implementing and doing it right, and we, we knew that the model itself needed to be validated and be comparable to things like get up sponsors and, and Open Collective. So we actually spent a large portion of the development. Building out a simulation. And so there's a, like simulation Dots US has. It's, it's effectively like the, it's our entire site, but it has 5,000 made up subscribers at various price points using Pax JSONs that we had discovered on GitHub using source graph. Source graph was pretty instrumental in terms of d doing that. And we, we needed package js os that weren't on n p, right? We didn't want to grab load Dash's, patch json accidentally. And because that, that's not representative of potential end users. So we took those 5,000 subscribers, plugged them in, you know, gave them some subscription amount between $25 per month to a hundred dollars per month. And we. Look to see what happens. Right? What's the outcome of, of this? Like, is it just a couple of projects that get all the money or, you know, what does that distribution look like and the, the, the end result is that, yeah, you, you still have a power power law curve just like you do on Get up sponsors in Open Collective, but it was it was more stretched. So we ended up, we ended up funding a larger percentage of the, let's say the top 25% of funds included a significantly larger set of projects. So even though they're at the tip of this parallel curve, they, you know, there's more of them included. That's great. But the middle, the middle was much broader. Right. A lot more of the money was going into that, and so that, that was the validation that we needed, right, internally to know that, yeah, we can reach more of this. I think in terms of the broader like readiness for this type of product, I, I think, you know, there's just a drumbeat of vulnerabilities and also just individuals. Really talking about the lack of funding, the lack of maintenance around this, around this. And so that is the validation that we continue to look for you know, as an opportunity to do something about, I think we're, we're very nascent in terms of evangelizing this and, and driving awareness. But I think, you know, those two things kind of has given us the confidence that you know, the timing is hopefully right and it's the right product for the time. Mike Bifulco: Yeah. Yeah. I, it's an interesting, almost, it's not that you have a chicken and an egg problem to, to work with, but I feel like the whole funding nut to crack is that like we, we all on some level, developers, engineering teams or organizations understand that it's important to Keep these projects funded so that they stay up to date so that vulnerabilities get shut down, bugs get addressed, functionality gets added, whatever the case may be. it seems like a lot of the social pressure lands on individuals to do the funding in a lot of ways, and I think that maybe is a law of numbers thing. Like people you know, you get a lot more call to action as an individual to go fund things. But my guess is that the bulk of the volume of money is coming from organizations who are willing to fund open source things. Is that roughly. Dudley Carr: Yeah, so we actually were able to analyze all of the Open Collective transactions. They do this amazing job of every transaction on Open, the Open Source collective, on Open Collective. You can literally download all of the transactions and so, I did that and I went Mike Bifulco: Oh wow. Dudley Carr: And yes, you know, organizations like Google and, and others, they do put in a ton of money. But if I remember correctly, I would say, Over 60% of it are from individuals donating at at much smaller amounts. So they're, they have a long tail and it is a significant portion of the contributions. And so it, it's, it wasn't as skewed as you would think towards large organizations. Mike Bifulco: That that is a, a bigger percentage than I would've guess. That's really interesting. So what, what is your call to action or maybe your pitch for those who might have the capacity to donate? Like how, how is the I guess the, is there a sales process for this? Is it something that you're going to organizations and people and trying to get them to discover and use Stack as donors? Dudley Carr: You know, I think, I think there are certain organizations that are very attuned to open source and, you know, they have open source program offices and they are actively engaging those communities and they are. they're looking, you know, they're either doing this themselves. So century is a customer of Stack and they did a ton of this by themselves. They, they wrote custom things to analyze their dependencies, and they had a big spreadsheet and it's super impressive, but it's incredibly time consuming. And I think Indeed and others are also analyzing their dependencies and trying to figure out where to allocate money. So this is something that is happening today. So we're looking to engage with those types of organizations and understand, you know, how STACK can potentially be a part of that. So I think step one is to really engage with organizations that are receptive to it. I think that's the kind of low hanging fruit. And I think beyond that, you know, there's, there's or organizations that are certainly consuming large. Portion of open source and you know, there's kind of a, a sales, different sales process around, you know, here are the ways that you engage with open source at those organizations. Funding is one aspect of that. And so I think over time that's where that conversation's going. But I think the organizations that are currently funding open source to some degree, You know, they're kind of making the case for that and, and we, you know, we're trying to expand that conversation and, and as well as piggyback off of that, Mike Bifulco: right? Yeah. It's nice that it's kind of the zeitgeist is that it seems that support has really changed in the past, I don't know, maybe 10 years to, like open source is something we can try or should try to, open source is something that, you know, I is the infrastructure of the internet in a lot of ways and something that you know, almost the, the ethical impetus is to support open source projects and to also be a part of that if you're able. So, okay. I, I guess one more important question then, if I'm an open source developer what, what are actions I can take to be proactive about I, I guess making sure that I'm, I'm covered by stack or that you know, that I'm doing the right things to seek funding. Dudley Carr: Yeah, I think you know, one. One theory that we have is that, you know, the, there are organizations like we were just talking about that are attuned and are willing to donate, but I, I actually think a fundamental shift will is dependent on individual developers donating and independent of the platform, but actively participating in that way of funding open source be it GI UP sponsors, open Collective Stack. Thanks, DD Dev, any of those platforms is a good way to start. But there, there has, you know, we have to have that expectation that developers are doing this just like they do other types of open source contributions. And I think that. That groundswell of developers participating and educating and kind of demanding this in their organizations is what actually turns the tide. And so our focus initially is actually to get individual developers to come on board and we're, we hope that we're. You know, one of those solutions that makes it a lot simpler. But if GitHub sponsors is the way that you do it, great. Right? Go, go on there. Fund, fund the people or the projects that you really care about. But I think that speaks volumes, right? And that I, I think is the thing that actually moves the needle. And those platforms have made it simpler. We hopefully have made it simpler based on, you know, what some set of people care about. But, you know, our, our goal is to evangelize individual developers. Contributing more. Mike Bifulco: Yeah, that's a noble conceit and definitely one of those things that I think all of the people listening to the show can probably relate to. I certainly identify with it. I, one of the things I've been mulling over a lot lately especially, especially in the past few weeks that I've been like reconsidering my personal budget and the way I allocate money for things is that I, I think I would like to be a little more public in sharing and explaining. The ways that I spend money in four good ways, right? Like charities that I donate to on one side, but open source things that I donate to projects that I support. And also, this is more on the creator economy side, but like Patreon and things like that, where there's like, you know, I love this podcast, so I give them a dollar a month, which is, you know, more than they would ever get from me clicking on ads. I could click ads every day for a week. And wouldn't give them a book. And it goes a lot further than you would think. And it, it's funny, I've been kind of thinking that that's something that belongs in. Almost public profile, like I should be sharing this somewhere and making that a part of the my, my persona, my support for the world. And I think that that's something that we have a, great opportunity to do with projects like Stack A and with other things that we all participate in because it also creates that social pressure and that. Impression that expectation that part of being a, a good citizen as a developer when you can and if you can, and if you have, you know, the, honestly the mountains of privilege that I'm sitting on top of, like, you should be giving back. I really like that. And I, one of the things that I like about STACK is honestly the, the tree view of the dependencies and seeing the amount of impact that, you know, even a few bucks a month can have is like visceral. You really feel like you, you see that not only are you using this cascade of things to power whatever project you're working on, but you can also give back to them fairly directly. And, there's infrastructure in place to do that for you. I think that's really exciting and I think it's a noble cause and I'm hoping it's something that a lot of the folks who are listening to the podcast will be able to jump into and go ahead long into supporting, but also benefiting from. Dudley Carr: Yeah. No, I appreciate that. I, I think what you're saying really resonates with us in that how you spend your money matters. You know, we are in a position of privilege where, you know, we we have discretionary money that we can funnel towards things. And I think, I think you nailed it. You know, a lot of these developers are, you know, at the moment maybe a couple of bucks per month. You know, we're still small, but I think it, it really matters to those developers partly because it is a real recognition of what they're doing and they know that someone took the time and their money, you know, to do that. And I think that's super powerful. I think it's easy to dismiss it as, oh, it's, you know, it's a trivial sum of money or something of the. But you know, when you are working on something, and a lot of times, you know, you can look at your MPM install numbers, like, oh yeah, that's through the roof. But this is, you know, getting an email from someone saying like, I like your project. That's really visceral as well. Mike Bifulco: Yeah. Dudley Carr: like people actually just paying. I think that's an incredible way. And so hopefully people are not put off by, you know, initially like, oh, the, the dollar amounts are not significant. It, it, it supports that individual at so many different levels. And so yeah, how you spend your money matters and and it has a really great upside on the other other side of it. Mike Bifulco: Yeah. , it's pretty profound and an energizing thing for me. Well, Dudley, thanks so much for coming and hanging out today. I have two important questions for you before I let you go. One is I wanna know how APIs you won't hate listeners can find you and talk to you if they're interested. And where can they go to get started with? Dudley Carr: Absolutely. Yeah. So you can email me at dudley dod e y stack.us and our website is stack a.us. I think if you search for Stack Google, we're number one. And you know, as we were chatting earlier, it's, it's super simple to get started. If you run into any issues please reach out and we're, we're happy to answer questions. But yeah, it's pretty self-service at the moment. Just click on the button o off and then hopefully you're off to the races and, you know, always looking for more feedback and, Yeah. No, we, we appreciate every, every person who signs up and happy to answer questions. Mike Bifulco: Great. Wonderful. Dudley, thanks so much for hanging out today. It's been a pleasure having you. And I'd love to catch up again you know, maybe in a few months or ear down the line to see how things are going. Dudley Carr: Absolutely. Thanks so much for having me. Really appreciate it. Mike Bifulco: Yeah, of course. Take care. Dudley Carr: Bye-bye. All audio, artwork, episode descriptions and notes are property of APIs You Won't Hate, for APIs You Won't Hate, and published with permission by Transistor, Inc. Broadcast by | 2026-01-13T08:47:44 |
https://reactjs.org/docs/getting-started.html | Quick Start – React React v 19.2 Search ⌘ Ctrl K Learn Reference Community Blog GET STARTED Quick Start Tutorial: Tic-Tac-Toe Thinking in React Installation Creating a React App Build a React App from Scratch Add React to an Existing Project Setup Editor Setup Using TypeScript React Developer Tools React Compiler Introduction Installation Incremental Adoption Debugging and Troubleshooting LEARN REACT Describing the UI Your First Component Importing and Exporting Components Writing Markup with JSX JavaScript in JSX with Curly Braces Passing Props to a Component Conditional Rendering Rendering Lists Keeping Components Pure Your UI as a Tree Adding Interactivity Responding to Events State: A Component's Memory Render and Commit State as a Snapshot Queueing a Series of State Updates Updating Objects in State Updating Arrays in State Managing State Reacting to Input with State Choosing the State Structure Sharing State Between Components Preserving and Resetting State Extracting State Logic into a Reducer Passing Data Deeply with Context Scaling Up with Reducer and Context Escape Hatches Referencing Values with Refs Manipulating the DOM with Refs Synchronizing with Effects You Might Not Need an Effect Lifecycle of Reactive Effects Separating Events from Effects Removing Effect Dependencies Reusing Logic with Custom Hooks Is this page useful? Learn React Quick Start Welcome to the React documentation! This page will give you an introduction to 80% of the React concepts that you will use on a daily basis. You will learn How to create and nest components How to add markup and styles How to display data How to render conditions and lists How to respond to events and update the screen How to share data between components Creating and nesting components React apps are made out of components . A component is a piece of the UI (user interface) that has its own logic and appearance. A component can be as small as a button, or as large as an entire page. React components are JavaScript functions that return markup: function MyButton ( ) { return ( < button > I'm a button </ button > ) ; } Now that you’ve declared MyButton , you can nest it into another component: export default function MyApp ( ) { return ( < div > < h1 > Welcome to my app </ h1 > < MyButton /> </ div > ) ; } Notice that <MyButton /> starts with a capital letter. That’s how you know it’s a React component. React component names must always start with a capital letter, while HTML tags must be lowercase. Have a look at the result: App.js App.js Reload Clear Fork function MyButton ( ) { return ( < button > I'm a button </ button > ) ; } export default function MyApp ( ) { return ( < div > < h1 > Welcome to my app </ h1 > < MyButton /> </ div > ) ; } Show more The export default keywords specify the main component in the file. If you’re not familiar with some piece of JavaScript syntax, MDN and javascript.info have great references. Writing markup with JSX The markup syntax you’ve seen above is called JSX . It is optional, but most React projects use JSX for its convenience. All of the tools we recommend for local development support JSX out of the box. JSX is stricter than HTML. You have to close tags like <br /> . Your component also can’t return multiple JSX tags. You have to wrap them into a shared parent, like a <div>...</div> or an empty <>...</> wrapper: function AboutPage ( ) { return ( < > < h1 > About </ h1 > < p > Hello there. < br /> How do you do? </ p > </ > ) ; } If you have a lot of HTML to port to JSX, you can use an online converter. Adding styles In React, you specify a CSS class with className . It works the same way as the HTML class attribute: < img className = "avatar" /> Then you write the CSS rules for it in a separate CSS file: /* In your CSS */ .avatar { border-radius : 50 % ; } React does not prescribe how you add CSS files. In the simplest case, you’ll add a <link> tag to your HTML. If you use a build tool or a framework, consult its documentation to learn how to add a CSS file to your project. Displaying data JSX lets you put markup into JavaScript. Curly braces let you “escape back” into JavaScript so that you can embed some variable from your code and display it to the user. For example, this will display user.name : return ( < h1 > { user . name } </ h1 > ) ; You can also “escape into JavaScript” from JSX attributes, but you have to use curly braces instead of quotes. For example, className="avatar" passes the "avatar" string as the CSS class, but src={user.imageUrl} reads the JavaScript user.imageUrl variable value, and then passes that value as the src attribute: return ( < img className = "avatar" src = { user . imageUrl } /> ) ; You can put more complex expressions inside the JSX curly braces too, for example, string concatenation : App.js App.js Reload Clear Fork const user = { name : 'Hedy Lamarr' , imageUrl : 'https://i.imgur.com/yXOvdOSs.jpg' , imageSize : 90 , } ; export default function Profile ( ) { return ( < > < h1 > { user . name } </ h1 > < img className = "avatar" src = { user . imageUrl } alt = { 'Photo of ' + user . name } style = { { width : user . imageSize , height : user . imageSize } } /> </ > ) ; } Show more In the above example, style={{}} is not a special syntax, but a regular {} object inside the style={ } JSX curly braces. You can use the style attribute when your styles depend on JavaScript variables. Conditional rendering In React, there is no special syntax for writing conditions. Instead, you’ll use the same techniques as you use when writing regular JavaScript code. For example, you can use an if statement to conditionally include JSX: let content ; if ( isLoggedIn ) { content = < AdminPanel /> ; } else { content = < LoginForm /> ; } return ( < div > { content } </ div > ) ; If you prefer more compact code, you can use the conditional ? operator. Unlike if , it works inside JSX: < div > { isLoggedIn ? ( < AdminPanel /> ) : ( < LoginForm /> ) } </ div > When you don’t need the else branch, you can also use a shorter logical && syntax : < div > { isLoggedIn && < AdminPanel /> } </ div > All of these approaches also work for conditionally specifying attributes. If you’re unfamiliar with some of this JavaScript syntax, you can start by always using if...else . Rendering lists You will rely on JavaScript features like for loop and the array map() function to render lists of components. For example, let’s say you have an array of products: const products = [ { title : 'Cabbage' , id : 1 } , { title : 'Garlic' , id : 2 } , { title : 'Apple' , id : 3 } , ] ; Inside your component, use the map() function to transform an array of products into an array of <li> items: const listItems = products . map ( product => < li key = { product . id } > { product . title } </ li > ) ; return ( < ul > { listItems } </ ul > ) ; Notice how <li> has a key attribute. For each item in a list, you should pass a string or a number that uniquely identifies that item among its siblings. Usually, a key should be coming from your data, such as a database ID. React uses your keys to know what happened if you later insert, delete, or reorder the items. App.js App.js Reload Clear Fork const products = [ { title : 'Cabbage' , isFruit : false , id : 1 } , { title : 'Garlic' , isFruit : false , id : 2 } , { title : 'Apple' , isFruit : true , id : 3 } , ] ; export default function ShoppingList ( ) { const listItems = products . map ( product => < li key = { product . id } style = { { color : product . isFruit ? 'magenta' : 'darkgreen' } } > { product . title } </ li > ) ; return ( < ul > { listItems } </ ul > ) ; } Show more Responding to events You can respond to events by declaring event handler functions inside your components: function MyButton ( ) { function handleClick ( ) { alert ( 'You clicked me!' ) ; } return ( < button onClick = { handleClick } > Click me </ button > ) ; } Notice how onClick={handleClick} has no parentheses at the end! Do not call the event handler function: you only need to pass it down . React will call your event handler when the user clicks the button. Updating the screen Often, you’ll want your component to “remember” some information and display it. For example, maybe you want to count the number of times a button is clicked. To do this, add state to your component. First, import useState from React: import { useState } from 'react' ; Now you can declare a state variable inside your component: function MyButton ( ) { const [ count , setCount ] = useState ( 0 ) ; // ... You’ll get two things from useState : the current state ( count ), and the function that lets you update it ( setCount ). You can give them any names, but the convention is to write [something, setSomething] . The first time the button is displayed, count will be 0 because you passed 0 to useState() . When you want to change state, call setCount() and pass the new value to it. Clicking this button will increment the counter: function MyButton ( ) { const [ count , setCount ] = useState ( 0 ) ; function handleClick ( ) { setCount ( count + 1 ) ; } return ( < button onClick = { handleClick } > Clicked { count } times </ button > ) ; } React will call your component function again. This time, count will be 1 . Then it will be 2 . And so on. If you render the same component multiple times, each will get its own state. Click each button separately: App.js App.js Reload Clear Fork import { useState } from 'react' ; export default function MyApp ( ) { return ( < div > < h1 > Counters that update separately </ h1 > < MyButton /> < MyButton /> </ div > ) ; } function MyButton ( ) { const [ count , setCount ] = useState ( 0 ) ; function handleClick ( ) { setCount ( count + 1 ) ; } return ( < button onClick = { handleClick } > Clicked { count } times </ button > ) ; } Show more Notice how each button “remembers” its own count state and doesn’t affect other buttons. Using Hooks Functions starting with use are called Hooks . useState is a built-in Hook provided by React. You can find other built-in Hooks in the API reference. You can also write your own Hooks by combining the existing ones. Hooks are more restrictive than other functions. You can only call Hooks at the top of your components (or other Hooks). If you want to use useState in a condition or a loop, extract a new component and put it there. Sharing data between components In the previous example, each MyButton had its own independent count , and when each button was clicked, only the count for the button clicked changed: Initially, each MyButton ’s count state is 0 The first MyButton updates its count to 1 However, often you’ll need components to share data and always update together . To make both MyButton components display the same count and update together, you need to move the state from the individual buttons “upwards” to the closest component containing all of them. In this example, it is MyApp : Initially, MyApp ’s count state is 0 and is passed down to both children On click, MyApp updates its count state to 1 and passes it down to both children Now when you click either button, the count in MyApp will change, which will change both of the counts in MyButton . Here’s how you can express this in code. First, move the state up from MyButton into MyApp : export default function MyApp ( ) { const [ count , setCount ] = useState ( 0 ) ; function handleClick ( ) { setCount ( count + 1 ) ; } return ( < div > < h1 > Counters that update separately </ h1 > < MyButton /> < MyButton /> </ div > ) ; } function MyButton ( ) { // ... we're moving code from here ... } Then, pass the state down from MyApp to each MyButton , together with the shared click handler. You can pass information to MyButton using the JSX curly braces, just like you previously did with built-in tags like <img> : export default function MyApp ( ) { const [ count , setCount ] = useState ( 0 ) ; function handleClick ( ) { setCount ( count + 1 ) ; } return ( < div > < h1 > Counters that update together </ h1 > < MyButton count = { count } onClick = { handleClick } /> < MyButton count = { count } onClick = { handleClick } /> </ div > ) ; } The information you pass down like this is called props . Now the MyApp component contains the count state and the handleClick event handler, and passes both of them down as props to each of the buttons. Finally, change MyButton to read the props you have passed from its parent component: function MyButton ( { count , onClick } ) { return ( < button onClick = { onClick } > Clicked { count } times </ button > ) ; } When you click the button, the onClick handler fires. Each button’s onClick prop was set to the handleClick function inside MyApp , so the code inside of it runs. That code calls setCount(count + 1) , incrementing the count state variable. The new count value is passed as a prop to each button, so they all show the new value. This is called “lifting state up”. By moving state up, you’ve shared it between components. App.js App.js Reload Clear Fork import { useState } from 'react' ; export default function MyApp ( ) { const [ count , setCount ] = useState ( 0 ) ; function handleClick ( ) { setCount ( count + 1 ) ; } return ( < div > < h1 > Counters that update together </ h1 > < MyButton count = { count } onClick = { handleClick } /> < MyButton count = { count } onClick = { handleClick } /> </ div > ) ; } function MyButton ( { count , onClick } ) { return ( < button onClick = { onClick } > Clicked { count } times </ button > ) ; } Show more Next Steps By now, you know the basics of how to write React code! Check out the Tutorial to put them into practice and build your first mini-app with React. Next Tutorial: Tic-Tac-Toe Copyright © Meta Platforms, Inc no uwu plz uwu? Logo by @sawaratsuki1004 Learn React Quick Start Installation Describing the UI Adding Interactivity Managing State Escape Hatches API Reference React APIs React DOM APIs Community Code of Conduct Meet the Team Docs Contributors Acknowledgements More Blog React Native Privacy Terms On this page Overview Creating and nesting components Writing markup with JSX Adding styles Displaying data Conditional rendering Rendering lists Responding to events Updating the screen Using Hooks Sharing data between components Next Steps | 2026-01-13T08:47:44 |
https://highlight.io | highlight.io: The open source monitoring platform. Star us on GitHub Star Migrate your Highlight account to LaunchDarkly by February 28, 2026. Learn more on our blog. Product Integrations Pricing Resources Docs Sign in Sign up Your browser does not support the video tag. Your browser does not support the video tag. The open source, fullstack Monitoring Platform. Get started Live demo Request a Demo Call Session Replay Error Monitoring Logging Traces Dashboards Self-Hosting Explore Our Features Session Replay Error Monitoring Logging Traces Dashboards Self-Hosting Session Replay Session Replay Understand the real reason why bugs are happening in your web application. Learn More Console and Network Recording Comprehensive Session Search Powerful Privacy Controls Error Monitoring Error Monitoring Get notified of the exceptions across your app before they become problematic. Learn More Custom Error Grouping Customizable Alerting Rules Powered by Open Telemetry Logging Logging Search for and set alerts for logs being written throughout your stack. Learn More Customizable Log Alerts Widespread SDK Support Powered by Clickhouse Traces Traces Get performance insights on requests and transactions throughout your web application stack. Learn More Powerful Visualization Capabilities Distributed Tracing Support OpenTelemetry Support Dashboards & APM Dashboards & APM Visualize and analyze your observability data on a single pane. Learn More Customizable dashboards Performance visualizations User analytics Self-Hosting highlight.io Self-Hosting highlight.io Interested in self-hosting highlight? Spin up highlight.io in docker with just a few commands. Learn More git clone --recurse-submodules https://github.com/highlight/highlight; cd docker; ./run-hobby.sh; Our customers Highlight powers forward-thinking companies. More about our customers → Don't take our word. Read our customer review section → Highlight helps us catch bugs that would otherwise go undetected and makes it easy to replicate and debug them. Max Musing , Founder & CEO Highlight weaves together the incredible, varied, and complex interactions of our users into something understandable and actionable. Kai Hess , Founding Product Designer I love Highlight because not only does it help me debug more quickly, but it gives me insight into how customers are actually using our product. Meryl Dakin , Founding Software Engineer Highlight has helped us win over several customers by making it possible for us to provide hands-on support, based on a detailed understanding of what each user was doing. Neil Raina , CTO Highlight helps us catch bugs that would otherwise go undetected and makes it easy to replicate and debug them. Max Musing , Founder & CEO Highlight weaves together the incredible, varied, and complex interactions of our users into something understandable and actionable. Kai Hess , Founding Product Designer I love Highlight because not only does it help me debug more quickly, but it gives me insight into how customers are actually using our product. Meryl Dakin , Founding Software Engineer Highlight has helped us win over several customers by making it possible for us to provide hands-on support, based on a detailed understanding of what each user was doing. Neil Raina , CTO Web application monitoring for today's developer. A cohesive view of your entire stack. A natural pairing between your errors, session replay, logs and more. Understand the “what”, “why” and “how” of your full-stack web application. Get started for free Support for all the modern frameworks. We support all the fancy new frameworks and our platform is powered by open source, scalable technologies. View all frameworks Integrations with your favorite tools. Connect your favorite issue tracker, support tool, or even analytics software and we’ll give you a way to push and pull data in the right places. View all integrations Built with compliance and security. Whether its SOC 2, HIPAA, or ISO, highlight.io can work with your stack. Contact us at security@highlight.io for more information. Read our docs Master OpenTelemetry with our Free Comprehensive Course From fundamentals to advanced implementations, learn how OpenTelemetry can transform your engineering team's observability practices. Ideal for engineering leaders and developers building production-ready monitoring solutions. Start Learning Try Highlight Today Get the visibility you need Get started for free Product Pricing Sign up Features Privacy & Security Customers Session Replay Error Monitoring Logging Competitors LogRocket Hotjar Fullstory Smartlook Inspectlet Datadog Sentry Site24x7 Sprig Mouseflow Pendo Heap LogicMonitor Last9 Axiom Better Stack HyperDX Dash0 Developers Changelog Documentation Ambassadors Frameworks React Next.js Angular Gatsby.js Svelte.js Vue.js Express Golang Next.js Node.js Rails Hono Contact & Legal Terms of Service Privacy Policy Careers sales@highlight.io security@highlight.io [object Object] | 2026-01-13T08:47:44 |
https://dev.to/privacy#main-content | Privacy Policy - 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 Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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:47:44 |
https://parenting.forem.com/t/mentalhealth | Mental Health - Parenting 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 Parenting Close Mental Health Follow Hide Mental health matters! Break the stigma. We can empower ourselves and each other to invest in our mental health. We can give support and care to ourselves and each other while we struggle. Let's talk about making our mental health priority. Create Post about #mentalhealth Posts should be related to mental health. This is a pretty wide category but some things that are included are: Managing mental health as a developer Living with mental illness and how it affects your work Ways to cope with mental health issues Avoiding burn out Tools, apps, and methods that help you with your mental health ...and more “Your mental health is a priority. Your happiness is an essential. Your self-care is a necessity.” Struggling? Help is out there. Click here to find a list of global mental health resources and hotlines. Older #mentalhealth posts 1 2 3 4 5 6 7 8 9 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Creating a Safe, Supportive Home Environment for Individuals with IDD Community Living & Care Insights Community Living & Care Insights Community Living & Care Insights Follow Dec 30 '25 Creating a Safe, Supportive Home Environment for Individuals with IDD # development # familylife # mentalhealth Comments Add Comment 6 min read The Sturdy Pillar Doesn’t Need Reinforcement Juno Threadborne Juno Threadborne Juno Threadborne Follow Nov 21 '25 The Sturdy Pillar Doesn’t Need Reinforcement # mentalhealth # singleparenting 6 reactions Comments 2 comments 4 min read I built something for busy parents who want to run Martin Cartledge Martin Cartledge Martin Cartledge Follow Nov 12 '25 I built something for busy parents who want to run # mentalhealth # balance 10 reactions Comments 2 comments 1 min read Navigating Modern Parenthood: Insights from This Week's Conversations Om Shree Om Shree Om Shree Follow Oct 19 '25 Navigating Modern Parenthood: Insights from This Week's Conversations # discuss # learning # development # mentalhealth 23 reactions Comments 5 comments 5 min read loading... trending guides/resources The Sturdy Pillar Doesn’t Need Reinforcement I built something for busy parents who want to run 💎 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 Parenting — A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Navigating the chaos and joy of parenting. Log in Create account | 2026-01-13T08:47:44 |
https://dev.to/privacy#12-contact-us | Privacy Policy - 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 Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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:47:44 |
https://reactjs.org/ | React React v 19.2 Search ⌘ Ctrl K Learn Reference Community Blog React The library for web and native user interfaces Learn React API Reference Create user interfaces from components React lets you build user interfaces out of individual pieces called components. Create your own React components like Thumbnail , LikeButton , and Video . Then combine them into entire screens, pages, and apps. Video.js function Video ( { video } ) { return ( < div > < Thumbnail video = { video } /> < a href = { video . url } > < h3 > { video . title } </ h3 > < p > { video . description } </ p > </ a > < LikeButton video = { video } /> </ div > ) ; } My video Video description Whether you work on your own or with thousands of other developers, using React feels the same. It is designed to let you seamlessly combine components written by independent people, teams, and organizations. Write components with code and markup React components are JavaScript functions. Want to show some content conditionally? Use an if statement. Displaying a list? Try array map() . Learning React is learning programming. VideoList.js function VideoList ( { videos , emptyHeading } ) { const count = videos . length ; let heading = emptyHeading ; if ( count > 0 ) { const noun = count > 1 ? 'Videos' : 'Video' ; heading = count + ' ' + noun ; } return ( < section > < h2 > { heading } </ h2 > { videos . map ( video => < Video key = { video . id } video = { video } /> ) } </ section > ) ; } 3 Videos First video Video description Second video Video description Third video Video description This markup syntax is called JSX. It is a JavaScript syntax extension popularized by React. Putting JSX markup close to related rendering logic makes React components easy to create, maintain, and delete. Add interactivity wherever you need it React components receive data and return what should appear on the screen. You can pass them new data in response to an interaction, like when the user types into an input. React will then update the screen to match the new data. SearchableVideoList.js import { useState } from 'react' ; function SearchableVideoList ( { videos } ) { const [ searchText , setSearchText ] = useState ( '' ) ; const foundVideos = filterVideos ( videos , searchText ) ; return ( < > < SearchInput value = { searchText } onChange = { newText => setSearchText ( newText ) } /> < VideoList videos = { foundVideos } emptyHeading = { `No matches for “ ${ searchText } ”` } /> </ > ) ; } example.com / videos.html React Videos A brief history of React Search 5 Videos React: The Documentary The origin story of React Rethinking Best Practices Pete Hunt (2013) Introducing React Native Tom Occhino (2015) Introducing React Hooks Sophie Alpert and Dan Abramov (2018) Introducing Server Components Dan Abramov and Lauren Tan (2020) You don’t have to build your whole page in React. Add React to your existing HTML page, and render interactive React components anywhere on it. Add React to your page Go full-stack with a framework React is a library. It lets you put components together, but it doesn’t prescribe how to do routing and data fetching. To build an entire app with React, we recommend a full-stack React framework like Next.js or React Router . confs/[slug].js import { db } from './database.js' ; import { Suspense } from 'react' ; async function ConferencePage ( { slug } ) { const conf = await db . Confs . find ( { slug } ) ; return ( < ConferenceLayout conf = { conf } > < Suspense fallback = { < TalksLoading /> } > < Talks confId = { conf . id } /> </ Suspense > </ ConferenceLayout > ) ; } async function Talks ( { confId } ) { const talks = await db . Talks . findAll ( { confId } ) ; const videos = talks . map ( talk => talk . video ) ; return < SearchableVideoList videos = { videos } /> ; } example.com / confs/react-conf-2021 React Conf 2021 React Conf 2019 Search 19 Videos React Conf React 18 Keynote The React Team React Conf React 18 for App Developers Shruti Kapoor React Conf Streaming Server Rendering with Suspense Shaundai Person React Conf The First React Working Group Aakansha Doshi React Conf React Developer Tooling Brian Vaughn React Conf React without memo Xuan Huang (黄玄) React Conf React Docs Keynote Rachel Nabors React Conf Things I Learnt from the New React Docs Debbie O'Brien React Conf Learning in the Browser Sarah Rainsberger React Conf The ROI of Designing with React Linton Ye React Conf Interactive Playgrounds with React Delba de Oliveira React Conf Re-introducing Relay Robert Balicki React Conf React Native Desktop Eric Rozell and Steven Moyes React Conf On-device Machine Learning for React Native Roman Rädle React Conf React 18 for External Store Libraries Daishi Kato React Conf Building Accessible Components with React 18 Diego Haz React Conf Accessible Japanese Form Components with React Tafu Nakazaki React Conf UI Tools for Artists Lyle Troxell React Conf Hydrogen + React 18 Helen Lin React is also an architecture. Frameworks that implement it let you fetch data in asynchronous components that run on the server or even during the build. Read data from a file or a database, and pass it down to your interactive components. Get started with a framework Use the best from every platform People love web and native apps for different reasons. React lets you build both web apps and native apps using the same skills. It leans upon each platform’s unique strengths to let your interfaces feel just right on every platform. example.com Stay true to the web People expect web app pages to load fast. On the server, React lets you start streaming HTML while you’re still fetching data, progressively filling in the remaining content before any JavaScript code loads. On the client, React can use standard web APIs to keep your UI responsive even in the middle of rendering. 1:08 AM Go truly native People expect native apps to look and feel like their platform. React Native and Expo let you build apps in React for Android, iOS, and more. They look and feel native because their UIs are truly native. It’s not a web view—your React components render real Android and iOS views provided by the platform. With React, you can be a web and a native developer. Your team can ship to many platforms without sacrificing the user experience. Your organization can bridge the platform silos, and form teams that own entire features end-to-end. Build for native platforms Upgrade when the future is ready React approaches changes with care. Every React commit is tested on business-critical surfaces with over a billion users. Over 100,000 React components at Meta help validate every migration strategy. The React team is always researching how to improve React. Some research takes years to pay off. React has a high bar for taking a research idea into production. Only proven approaches become a part of React. Read more React news Latest React News Additional Vulnerabilities in RSC December 11, 2025 Vulnerability in React Server Components December 3, 2025 React Conf 2025 Recap October 16, 2025 React Compiler v1.0 October 7, 2025 Read more React news Join a community of millions You’re not alone. Two million developers from all over the world visit the React docs every month. React is something that people and teams can agree on. This is why React is more than a library, an architecture, or even an ecosystem. React is a community. It’s a place where you can ask for help, find opportunities, and meet new friends. You will meet both developers and designers, beginners and experts, researchers and artists, teachers and students. Our backgrounds may be very different, but React lets us all create user interfaces together. Welcome to the React community Get Started Copyright © Meta Platforms, Inc no uwu plz uwu? Logo by @sawaratsuki1004 Learn React Quick Start Installation Describing the UI Adding Interactivity Managing State Escape Hatches API Reference React APIs React DOM APIs Community Code of Conduct Meet the Team Docs Contributors Acknowledgements More Blog React Native Privacy Terms | 2026-01-13T08:47:44 |
https://dev.to/privacy#4-how-we-disclose-your-information | Privacy Policy - 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 Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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:47:44 |
https://open.forem.com/t/beginners | Beginners - Open Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Open Forem Close Beginners Follow Hide "A journey of a thousand miles begins with a single step." -Chinese Proverb Create Post submission guidelines UPDATED AUGUST 2, 2019 This tag is dedicated to beginners to programming, development, networking, or to a particular language. Everything should be geared towards that! For Questions... Consider using this tag along with #help, if... You are new to a language, or to programming in general, You want an explanation with NO prerequisite knowledge required. You want insight from more experienced developers. Please do not use this tag if you are merely new to a tool, library, or framework. See also, #explainlikeimfive For Articles... Posts should be specifically geared towards true beginners (experience level 0-2 out of 10). Posts should require NO prerequisite knowledge, except perhaps general (language-agnostic) essentials of programming. Posts should NOT merely be for beginners to a tool, library, or framework. If your article does not meet these qualifications, please select a different tag. Promotional Rules Posts should NOT primarily promote an external work. This is what Listings is for. Otherwise accepable posts MAY include a brief (1-2 sentence) plug for another resource at the bottom. Resource lists ARE acceptable if they follow these rules: Include at least 3 distinct authors/creators. Clearly indicate which resources are FREE, which require PII, and which cost money. Do not use personal affiliate links to monetize. Indicate at the top that the article contains promotional links. about #beginners If you're writing for this tag, we recommend you read this article . If you're asking a question, read this article . Older #beginners posts 1 2 3 4 5 6 7 8 9 … 75 … 3379 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu digital marketing Junaid Rana Junaid Rana Junaid Rana Follow Jan 9 digital marketing # ai # programming # beginners # productivity Comments Add Comment 5 min read How to Build a website in 2026: Complete Beginner’s Guide (The Smartest Way to Launch Online This Year) Yogendra Prajapati Yogendra Prajapati Yogendra Prajapati Follow Jan 9 How to Build a website in 2026: Complete Beginner’s Guide (The Smartest Way to Launch Online This Year) # webdev # beginners # tools # business Comments Add Comment 8 min read What I Wish I Knew Before My First LED Strip Install: Light Diffusion + Power Planning emmma emmma emmma Follow Jan 6 What I Wish I Knew Before My First LED Strip Install: Light Diffusion + Power Planning # beginners # design # hardware Comments Add Comment 3 min read Science behind Mountain Formation Gustavo Woltmann Gustavo Woltmann Gustavo Woltmann Follow Jan 4 Science behind Mountain Formation # beginners # learning # science Comments Add Comment 5 min read My Journey: Technology, Knowledge, and Building Meaningful Platforms ARVIND GUPTA ARVIND GUPTA ARVIND GUPTA Follow Dec 22 '25 My Journey: Technology, Knowledge, and Building Meaningful Platforms # technology # software # softwaredevelopment # beginners Comments Add Comment 2 min read Abrir Propriedades do Sistema via CMD (Windows) Carlos Eduardo De Souza Lemos Carlos Eduardo De Souza Lemos Carlos Eduardo De Souza Lemos Follow Dec 22 '25 Abrir Propriedades do Sistema via CMD (Windows) # beginners # learning # productivity Comments Add Comment 2 min read The Art of Mastering Spoken English: A Complete Journey from Silence to Eloquence Abdulla A Abdulla A Abdulla A Follow Dec 23 '25 The Art of Mastering Spoken English: A Complete Journey from Silence to Eloquence # beginners # learning # motivation 1 reaction Comments Add Comment 7 min read 🌿 5 Simple Habits to Improve Your Daily Life Dharmikk Baria Dharmikk Baria Dharmikk Baria Follow Dec 23 '25 🌿 5 Simple Habits to Improve Your Daily Life # watercooler # beginners # motivation Comments Add Comment 1 min read Kurukshetra Battlefield: A King’s Trembling Fear — Bhagavad Gita Chapter 1 as a Story Rajguru Yadav Rajguru Yadav Rajguru Yadav Follow Dec 27 '25 Kurukshetra Battlefield: A King’s Trembling Fear — Bhagavad Gita Chapter 1 as a Story # discuss # programming # ai # beginners 10 reactions Comments Add Comment 3 min read My North Star as an AI Founder (And Why I’m Not Changing It) Jaideep Parashar Jaideep Parashar Jaideep Parashar Follow Dec 18 '25 My North Star as an AI Founder (And Why I’m Not Changing It) # webdev # ai # beginners # productivity 15 reactions Comments 3 comments 3 min read Why is Displacement a straight line from the starting point to the ending point? Shiva Charan Shiva Charan Shiva Charan Follow Dec 11 '25 Why is Displacement a straight line from the starting point to the ending point? # beginners # learning # science Comments Add Comment 2 min read Scalar vs Vector Shiva Charan Shiva Charan Shiva Charan Follow Dec 11 '25 Scalar vs Vector # beginners # learning # science Comments Add Comment 2 min read What Is Displacement? Shiva Charan Shiva Charan Shiva Charan Follow Dec 11 '25 What Is Displacement? # beginners # learning # science Comments Add Comment 2 min read Understanding the FTSE AIM 100: A Look at the UK’s Dynamic Growth Market Isabel Rayn Isabel Rayn Isabel Rayn Follow Dec 11 '25 Understanding the FTSE AIM 100: A Look at the UK’s Dynamic Growth Market # watercooler # beginners # learning Comments Add Comment 4 min read 4.4 ऋग्वैदिक काल Anil Anil Anil Follow Dec 5 '25 4.4 ऋग्वैदिक काल # beginners # education # learning Comments Add Comment 1 min read 🚀 How I Got 25,000+ Views in 2 Days on a YouTube Short Menula De Silva Menula De Silva Menula De Silva Follow Dec 4 '25 🚀 How I Got 25,000+ Views in 2 Days on a YouTube Short # socialmedia # webdev # productivity # beginners 1 reaction Comments Add Comment 3 min read Starting Over in 2026? Here’s How to Create a Vision Board That Supports a Fresh New Beginning Aparnaa Jadhav Aparnaa Jadhav Aparnaa Jadhav Follow Dec 4 '25 Starting Over in 2026? Here’s How to Create a Vision Board That Supports a Fresh New Beginning # beginners # motivation # productivity Comments Add Comment 4 min read Best Courses to Learn AI for 2026 Hameed Ansari Hameed Ansari Hameed Ansari Follow Dec 8 '25 Best Courses to Learn AI for 2026 # ai # programming # productivity # beginners 5 reactions Comments Add Comment 1 min read All Ordinaries: A Comprehensive Insight Into Australia’s Broad Market Benchmark Amelia Hartley Amelia Hartley Amelia Hartley Follow Dec 4 '25 All Ordinaries: A Comprehensive Insight Into Australia’s Broad Market Benchmark # beginners # learning Comments Add Comment 4 min read How to Search Non-Patent Literature for Prior Art Alisha Raza Alisha Raza Alisha Raza Follow for PatentScanAI Dec 1 '25 How to Search Non-Patent Literature for Prior Art # beginners # learning # productivity Comments Add Comment 7 min read Understanding the FTSE AIM 100 Index and the Growth Potential of Its Companies Bella Stewart Bella Stewart Bella Stewart Follow Dec 1 '25 Understanding the FTSE AIM 100 Index and the Growth Potential of Its Companies # beginners # learning Comments Add Comment 3 min read Running Without a Plan and Learning Who I Am Miles Hensley Miles Hensley Miles Hensley Follow Nov 29 '25 Running Without a Plan and Learning Who I Am # watercooler # beginners # motivation Comments Add Comment 11 min read A Beginner’s Guide to Power Yoga for Weight Loss and Strength bhaktimeshakti bhaktimeshakti bhaktimeshakti Follow Nov 30 '25 A Beginner’s Guide to Power Yoga for Weight Loss and Strength # watercooler # motivation # learning # beginners Comments Add Comment 6 min read Beginner’s Guide to IT Support Ticketing Systems Amit khan Amit khan Amit khan Follow Nov 27 '25 Beginner’s Guide to IT Support Ticketing Systems # beginners # career # helpedesk # productivity Comments 1 comment 3 min read ## ⏳ From Dot-Com Bubble to Digital Hype: Learning from the Past Jean Klebert de A Modesto Jean Klebert de A Modesto Jean Klebert de A Modesto Follow Nov 27 '25 ## ⏳ From Dot-Com Bubble to Digital Hype: Learning from the Past # discuss # productivity # career # beginners 3 reactions Comments Add Comment 2 min read loading... trending guides/resources Kurukshetra Battlefield: A King’s Trembling Fear — Bhagavad Gita Chapter 1 as a Story Abrir Propriedades do Sistema via CMD (Windows) How to Organize Your Notes Using Printable Lined Paper — A Simple Productivity Hack How to Find Patent Prior Art in Research Papers Understanding the All Ordinaries Index: Structure, Purpose, and Market Role Science behind Mountain Formation Understanding ASX 200 Futures and Their Role in Market Observation Understanding the Basics of Pay-Per-Click (PPC) Advertising A Beginner’s Guide to Power Yoga for Weight Loss and Strength All Ordinaries: A Comprehensive Insight Into Australia’s Broad Market Benchmark Decoding Startup Success: Understanding Burn Rate, Runway, and Churn Metrics Understanding the FTSE AIM 100 Index and the Growth Potential of Its Companies Creating a Physical Wired Network in Cisco Packet Tracer - My Experience | Israh Binoj Best Courses to Learn AI for 2026 Yelken Eğitiminde Hissetmenin Bilgiyi Geçtiği An: Teknenin Sizinle Konuştuğu O An Yelken Eğitiminde Sabır: Rüzgarın Öğrettiği En Değerli Ders How We Process Information Using The DIKW Model How to fix: “less than 1MB free space" Warning 📍Un Viaje Continuo: De Córdoba a Barcelona A Beginner’s Guide to Channel Attribution Modeling in Marketing 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account | 2026-01-13T08:47:44 |
https://docs.python.org/3/tutorial/controlflow.html#defining-functions | 4. More Control Flow Tools — Python 3.14.2 documentation Theme Auto Light Dark Table of Contents 4. More Control Flow Tools 4.1. if Statements 4.2. for Statements 4.3. The range() Function 4.4. break and continue Statements 4.5. else Clauses on Loops 4.6. pass Statements 4.7. match Statements 4.8. Defining Functions 4.9. More on Defining Functions 4.9.1. Default Argument Values 4.9.2. Keyword Arguments 4.9.3. Special parameters 4.9.3.1. Positional-or-Keyword Arguments 4.9.3.2. Positional-Only Parameters 4.9.3.3. Keyword-Only Arguments 4.9.3.4. Function Examples 4.9.3.5. Recap 4.9.4. Arbitrary Argument Lists 4.9.5. Unpacking Argument Lists 4.9.6. Lambda Expressions 4.9.7. Documentation Strings 4.9.8. Function Annotations 4.10. Intermezzo: Coding Style Previous topic 3. An Informal Introduction to Python Next topic 5. Data Structures This page Report a bug Show source Navigation index modules | next | previous | Python » 3.14.2 Documentation » The Python Tutorial » 4. More Control Flow Tools | Theme Auto Light Dark | 4. More Control Flow Tools ¶ As well as the while statement just introduced, Python uses a few more that we will encounter in this chapter. 4.1. if Statements ¶ Perhaps the most well-known statement type is the if statement. For example: >>> x = int ( input ( "Please enter an integer: " )) Please enter an integer: 42 >>> if x < 0 : ... x = 0 ... print ( 'Negative changed to zero' ) ... elif x == 0 : ... print ( 'Zero' ) ... elif x == 1 : ... print ( 'Single' ) ... else : ... print ( 'More' ) ... More There can be zero or more elif parts, and the else part is optional. The keyword ‘ elif ’ is short for ‘else if’, and is useful to avoid excessive indentation. An if … elif … elif … sequence is a substitute for the switch or case statements found in other languages. If you’re comparing the same value to several constants, or checking for specific types or attributes, you may also find the match statement useful. For more details see match Statements . 4.2. for Statements ¶ The for statement in Python differs a bit from what you may be used to in C or Pascal. Rather than always iterating over an arithmetic progression of numbers (like in Pascal), or giving the user the ability to define both the iteration step and halting condition (as C), Python’s for statement iterates over the items of any sequence (a list or a string), in the order that they appear in the sequence. For example (no pun intended): >>> # Measure some strings: >>> words = [ 'cat' , 'window' , 'defenestrate' ] >>> for w in words : ... print ( w , len ( w )) ... cat 3 window 6 defenestrate 12 Code that modifies a collection while iterating over that same collection can be tricky to get right. Instead, it is usually more straight-forward to loop over a copy of the collection or to create a new collection: # Create a sample collection users = { 'Hans' : 'active' , 'Éléonore' : 'inactive' , '景太郎' : 'active' } # Strategy: Iterate over a copy for user , status in users . copy () . items (): if status == 'inactive' : del users [ user ] # Strategy: Create a new collection active_users = {} for user , status in users . items (): if status == 'active' : active_users [ user ] = status 4.3. The range() Function ¶ If you do need to iterate over a sequence of numbers, the built-in function range() comes in handy. It generates arithmetic progressions: >>> for i in range ( 5 ): ... print ( i ) ... 0 1 2 3 4 The given end point is never part of the generated sequence; range(10) generates 10 values, the legal indices for items of a sequence of length 10. It is possible to let the range start at another number, or to specify a different increment (even negative; sometimes this is called the ‘step’): >>> list ( range ( 5 , 10 )) [5, 6, 7, 8, 9] >>> list ( range ( 0 , 10 , 3 )) [0, 3, 6, 9] >>> list ( range ( - 10 , - 100 , - 30 )) [-10, -40, -70] To iterate over the indices of a sequence, you can combine range() and len() as follows: >>> a = [ 'Mary' , 'had' , 'a' , 'little' , 'lamb' ] >>> for i in range ( len ( a )): ... print ( i , a [ i ]) ... 0 Mary 1 had 2 a 3 little 4 lamb In most such cases, however, it is convenient to use the enumerate() function, see Looping Techniques . A strange thing happens if you just print a range: >>> range ( 10 ) range(0, 10) In many ways the object returned by range() behaves as if it is a list, but in fact it isn’t. It is an object which returns the successive items of the desired sequence when you iterate over it, but it doesn’t really make the list, thus saving space. We say such an object is iterable , that is, suitable as a target for functions and constructs that expect something from which they can obtain successive items until the supply is exhausted. We have seen that the for statement is such a construct, while an example of a function that takes an iterable is sum() : >>> sum ( range ( 4 )) # 0 + 1 + 2 + 3 6 Later we will see more functions that return iterables and take iterables as arguments. In chapter Data Structures , we will discuss in more detail about list() . 4.4. break and continue Statements ¶ The break statement breaks out of the innermost enclosing for or while loop: >>> for n in range ( 2 , 10 ): ... for x in range ( 2 , n ): ... if n % x == 0 : ... print ( f " { n } equals { x } * { n // x } " ) ... break ... 4 equals 2 * 2 6 equals 2 * 3 8 equals 2 * 4 9 equals 3 * 3 The continue statement continues with the next iteration of the loop: >>> for num in range ( 2 , 10 ): ... if num % 2 == 0 : ... print ( f "Found an even number { num } " ) ... continue ... print ( f "Found an odd number { num } " ) ... Found an even number 2 Found an odd number 3 Found an even number 4 Found an odd number 5 Found an even number 6 Found an odd number 7 Found an even number 8 Found an odd number 9 4.5. else Clauses on Loops ¶ In a for or while loop the break statement may be paired with an else clause. If the loop finishes without executing the break , the else clause executes. In a for loop, the else clause is executed after the loop finishes its final iteration, that is, if no break occurred. In a while loop, it’s executed after the loop’s condition becomes false. In either kind of loop, the else clause is not executed if the loop was terminated by a break . Of course, other ways of ending the loop early, such as a return or a raised exception, will also skip execution of the else clause. This is exemplified in the following for loop, which searches for prime numbers: >>> for n in range ( 2 , 10 ): ... for x in range ( 2 , n ): ... if n % x == 0 : ... print ( n , 'equals' , x , '*' , n // x ) ... break ... else : ... # loop fell through without finding a factor ... print ( n , 'is a prime number' ) ... 2 is a prime number 3 is a prime number 4 equals 2 * 2 5 is a prime number 6 equals 2 * 3 7 is a prime number 8 equals 2 * 4 9 equals 3 * 3 (Yes, this is the correct code. Look closely: the else clause belongs to the for loop, not the if statement.) One way to think of the else clause is to imagine it paired with the if inside the loop. As the loop executes, it will run a sequence like if/if/if/else. The if is inside the loop, encountered a number of times. If the condition is ever true, a break will happen. If the condition is never true, the else clause outside the loop will execute. When used with a loop, the else clause has more in common with the else clause of a try statement than it does with that of if statements: a try statement’s else clause runs when no exception occurs, and a loop’s else clause runs when no break occurs. For more on the try statement and exceptions, see Handling Exceptions . 4.6. pass Statements ¶ The pass statement does nothing. It can be used when a statement is required syntactically but the program requires no action. For example: >>> while True : ... pass # Busy-wait for keyboard interrupt (Ctrl+C) ... This is commonly used for creating minimal classes: >>> class MyEmptyClass : ... pass ... Another place pass can be used is as a place-holder for a function or conditional body when you are working on new code, allowing you to keep thinking at a more abstract level. The pass is silently ignored: >>> def initlog ( * args ): ... pass # Remember to implement this! ... For this last case, many people use the ellipsis literal ... instead of pass . This use has no special meaning to Python, and is not part of the language definition (you could use any constant expression here), but ... is used conventionally as a placeholder body as well. See The Ellipsis Object . 4.7. match Statements ¶ A match statement takes an expression and compares its value to successive patterns given as one or more case blocks. This is superficially similar to a switch statement in C, Java or JavaScript (and many other languages), but it’s more similar to pattern matching in languages like Rust or Haskell. Only the first pattern that matches gets executed and it can also extract components (sequence elements or object attributes) from the value into variables. If no case matches, none of the branches is executed. The simplest form compares a subject value against one or more literals: def http_error ( status ): match status : case 400 : return "Bad request" case 404 : return "Not found" case 418 : return "I'm a teapot" case _ : return "Something's wrong with the internet" Note the last block: the “variable name” _ acts as a wildcard and never fails to match. You can combine several literals in a single pattern using | (“or”): case 401 | 403 | 404 : return "Not allowed" Patterns can look like unpacking assignments, and can be used to bind variables: # point is an (x, y) tuple match point : case ( 0 , 0 ): print ( "Origin" ) case ( 0 , y ): print ( f "Y= { y } " ) case ( x , 0 ): print ( f "X= { x } " ) case ( x , y ): print ( f "X= { x } , Y= { y } " ) case _ : raise ValueError ( "Not a point" ) Study that one carefully! The first pattern has two literals, and can be thought of as an extension of the literal pattern shown above. But the next two patterns combine a literal and a variable, and the variable binds a value from the subject ( point ). The fourth pattern captures two values, which makes it conceptually similar to the unpacking assignment (x, y) = point . If you are using classes to structure your data you can use the class name followed by an argument list resembling a constructor, but with the ability to capture attributes into variables: class Point : def __init__ ( self , x , y ): self . x = x self . y = y def where_is ( point ): match point : case Point ( x = 0 , y = 0 ): print ( "Origin" ) case Point ( x = 0 , y = y ): print ( f "Y= { y } " ) case Point ( x = x , y = 0 ): print ( f "X= { x } " ) case Point (): print ( "Somewhere else" ) case _ : print ( "Not a point" ) You can use positional parameters with some builtin classes that provide an ordering for their attributes (e.g. dataclasses). You can also define a specific position for attributes in patterns by setting the __match_args__ special attribute in your classes. If it’s set to (“x”, “y”), the following patterns are all equivalent (and all bind the y attribute to the var variable): Point ( 1 , var ) Point ( 1 , y = var ) Point ( x = 1 , y = var ) Point ( y = var , x = 1 ) A recommended way to read patterns is to look at them as an extended form of what you would put on the left of an assignment, to understand which variables would be set to what. Only the standalone names (like var above) are assigned to by a match statement. Dotted names (like foo.bar ), attribute names (the x= and y= above) or class names (recognized by the “(…)” next to them like Point above) are never assigned to. Patterns can be arbitrarily nested. For example, if we have a short list of Points, with __match_args__ added, we could match it like this: class Point : __match_args__ = ( 'x' , 'y' ) def __init__ ( self , x , y ): self . x = x self . y = y match points : case []: print ( "No points" ) case [ Point ( 0 , 0 )]: print ( "The origin" ) case [ Point ( x , y )]: print ( f "Single point { x } , { y } " ) case [ Point ( 0 , y1 ), Point ( 0 , y2 )]: print ( f "Two on the Y axis at { y1 } , { y2 } " ) case _ : print ( "Something else" ) We can add an if clause to a pattern, known as a “guard”. If the guard is false, match goes on to try the next case block. Note that value capture happens before the guard is evaluated: match point : case Point ( x , y ) if x == y : print ( f "Y=X at { x } " ) case Point ( x , y ): print ( f "Not on the diagonal" ) Several other key features of this statement: Like unpacking assignments, tuple and list patterns have exactly the same meaning and actually match arbitrary sequences. An important exception is that they don’t match iterators or strings. Sequence patterns support extended unpacking: [x, y, *rest] and (x, y, *rest) work similar to unpacking assignments. The name after * may also be _ , so (x, y, *_) matches a sequence of at least two items without binding the remaining items. Mapping patterns: {"bandwidth": b, "latency": l} captures the "bandwidth" and "latency" values from a dictionary. Unlike sequence patterns, extra keys are ignored. An unpacking like **rest is also supported. (But **_ would be redundant, so it is not allowed.) Subpatterns may be captured using the as keyword: case ( Point ( x1 , y1 ), Point ( x2 , y2 ) as p2 ): ... will capture the second element of the input as p2 (as long as the input is a sequence of two points) Most literals are compared by equality, however the singletons True , False and None are compared by identity. Patterns may use named constants. These must be dotted names to prevent them from being interpreted as capture variable: from enum import Enum class Color ( Enum ): RED = 'red' GREEN = 'green' BLUE = 'blue' color = Color ( input ( "Enter your choice of 'red', 'blue' or 'green': " )) match color : case Color . RED : print ( "I see red!" ) case Color . GREEN : print ( "Grass is green" ) case Color . BLUE : print ( "I'm feeling the blues :(" ) For a more detailed explanation and additional examples, you can look into PEP 636 which is written in a tutorial format. 4.8. Defining Functions ¶ We can create a function that writes the Fibonacci series to an arbitrary boundary: >>> def fib ( n ): # write Fibonacci series less than n ... """Print a Fibonacci series less than n.""" ... a , b = 0 , 1 ... while a < n : ... print ( a , end = ' ' ) ... a , b = b , a + b ... print () ... >>> # Now call the function we just defined: >>> fib ( 2000 ) 0 1 1 2 3 5 8 13 21 34 55 89 144 233 377 610 987 1597 The keyword def introduces a function definition . It must be followed by the function name and the parenthesized list of formal parameters. The statements that form the body of the function start at the next line, and must be indented. The first statement of the function body can optionally be a string literal; this string literal is the function’s documentation string, or docstring . (More about docstrings can be found in the section Documentation Strings .) There are tools which use docstrings to automatically produce online or printed documentation, or to let the user interactively browse through code; it’s good practice to include docstrings in code that you write, so make a habit of it. The execution of a function introduces a new symbol table used for the local variables of the function. More precisely, all variable assignments in a function store the value in the local symbol table; whereas variable references first look in the local symbol table, then in the local symbol tables of enclosing functions, then in the global symbol table, and finally in the table of built-in names. Thus, global variables and variables of enclosing functions cannot be directly assigned a value within a function (unless, for global variables, named in a global statement, or, for variables of enclosing functions, named in a nonlocal statement), although they may be referenced. The actual parameters (arguments) to a function call are introduced in the local symbol table of the called function when it is called; thus, arguments are passed using call by value (where the value is always an object reference , not the value of the object). [ 1 ] When a function calls another function, or calls itself recursively, a new local symbol table is created for that call. A function definition associates the function name with the function object in the current symbol table. The interpreter recognizes the object pointed to by that name as a user-defined function. Other names can also point to that same function object and can also be used to access the function: >>> fib <function fib at 10042ed0> >>> f = fib >>> f ( 100 ) 0 1 1 2 3 5 8 13 21 34 55 89 Coming from other languages, you might object that fib is not a function but a procedure since it doesn’t return a value. In fact, even functions without a return statement do return a value, albeit a rather boring one. This value is called None (it’s a built-in name). Writing the value None is normally suppressed by the interpreter if it would be the only value written. You can see it if you really want to using print() : >>> fib ( 0 ) >>> print ( fib ( 0 )) None It is simple to write a function that returns a list of the numbers of the Fibonacci series, instead of printing it: >>> def fib2 ( n ): # return Fibonacci series up to n ... """Return a list containing the Fibonacci series up to n.""" ... result = [] ... a , b = 0 , 1 ... while a < n : ... result . append ( a ) # see below ... a , b = b , a + b ... return result ... >>> f100 = fib2 ( 100 ) # call it >>> f100 # write the result [0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89] This example, as usual, demonstrates some new Python features: The return statement returns with a value from a function. return without an expression argument returns None . Falling off the end of a function also returns None . The statement result.append(a) calls a method of the list object result . A method is a function that ‘belongs’ to an object and is named obj.methodname , where obj is some object (this may be an expression), and methodname is the name of a method that is defined by the object’s type. Different types define different methods. Methods of different types may have the same name without causing ambiguity. (It is possible to define your own object types and methods, using classes , see Classes ) The method append() shown in the example is defined for list objects; it adds a new element at the end of the list. In this example it is equivalent to result = result + [a] , but more efficient. 4.9. More on Defining Functions ¶ It is also possible to define functions with a variable number of arguments. There are three forms, which can be combined. 4.9.1. Default Argument Values ¶ The most useful form is to specify a default value for one or more arguments. This creates a function that can be called with fewer arguments than it is defined to allow. For example: def ask_ok ( prompt , retries = 4 , reminder = 'Please try again!' ): while True : reply = input ( prompt ) if reply in { 'y' , 'ye' , 'yes' }: return True if reply in { 'n' , 'no' , 'nop' , 'nope' }: return False retries = retries - 1 if retries < 0 : raise ValueError ( 'invalid user response' ) print ( reminder ) This function can be called in several ways: giving only the mandatory argument: ask_ok('Do you really want to quit?') giving one of the optional arguments: ask_ok('OK to overwrite the file?', 2) or even giving all arguments: ask_ok('OK to overwrite the file?', 2, 'Come on, only yes or no!') This example also introduces the in keyword. This tests whether or not a sequence contains a certain value. The default values are evaluated at the point of function definition in the defining scope, so that i = 5 def f ( arg = i ): print ( arg ) i = 6 f () will print 5 . Important warning: The default value is evaluated only once. This makes a difference when the default is a mutable object such as a list, dictionary, or instances of most classes. For example, the following function accumulates the arguments passed to it on subsequent calls: def f ( a , L = []): L . append ( a ) return L print ( f ( 1 )) print ( f ( 2 )) print ( f ( 3 )) This will print [ 1 ] [ 1 , 2 ] [ 1 , 2 , 3 ] If you don’t want the default to be shared between subsequent calls, you can write the function like this instead: def f ( a , L = None ): if L is None : L = [] L . append ( a ) return L 4.9.2. Keyword Arguments ¶ Functions can also be called using keyword arguments of the form kwarg=value . For instance, the following function: def parrot ( voltage , state = 'a stiff' , action = 'voom' , type = 'Norwegian Blue' ): print ( "-- This parrot wouldn't" , action , end = ' ' ) print ( "if you put" , voltage , "volts through it." ) print ( "-- Lovely plumage, the" , type ) print ( "-- It's" , state , "!" ) accepts one required argument ( voltage ) and three optional arguments ( state , action , and type ). This function can be called in any of the following ways: parrot ( 1000 ) # 1 positional argument parrot ( voltage = 1000 ) # 1 keyword argument parrot ( voltage = 1000000 , action = 'VOOOOOM' ) # 2 keyword arguments parrot ( action = 'VOOOOOM' , voltage = 1000000 ) # 2 keyword arguments parrot ( 'a million' , 'bereft of life' , 'jump' ) # 3 positional arguments parrot ( 'a thousand' , state = 'pushing up the daisies' ) # 1 positional, 1 keyword but all the following calls would be invalid: parrot () # required argument missing parrot ( voltage = 5.0 , 'dead' ) # non-keyword argument after a keyword argument parrot ( 110 , voltage = 220 ) # duplicate value for the same argument parrot ( actor = 'John Cleese' ) # unknown keyword argument In a function call, keyword arguments must follow positional arguments. All the keyword arguments passed must match one of the arguments accepted by the function (e.g. actor is not a valid argument for the parrot function), and their order is not important. This also includes non-optional arguments (e.g. parrot(voltage=1000) is valid too). No argument may receive a value more than once. Here’s an example that fails due to this restriction: >>> def function ( a ): ... pass ... >>> function ( 0 , a = 0 ) Traceback (most recent call last): File "<stdin>" , line 1 , in <module> TypeError : function() got multiple values for argument 'a' When a final formal parameter of the form **name is present, it receives a dictionary (see Mapping Types — dict ) containing all keyword arguments except for those corresponding to a formal parameter. This may be combined with a formal parameter of the form *name (described in the next subsection) which receives a tuple containing the positional arguments beyond the formal parameter list. ( *name must occur before **name .) For example, if we define a function like this: def cheeseshop ( kind , * arguments , ** keywords ): print ( "-- Do you have any" , kind , "?" ) print ( "-- I'm sorry, we're all out of" , kind ) for arg in arguments : print ( arg ) print ( "-" * 40 ) for kw in keywords : print ( kw , ":" , keywords [ kw ]) It could be called like this: cheeseshop ( "Limburger" , "It's very runny, sir." , "It's really very, VERY runny, sir." , shopkeeper = "Michael Palin" , client = "John Cleese" , sketch = "Cheese Shop Sketch" ) and of course it would print: -- Do you have any Limburger ? -- I'm sorry, we're all out of Limburger It's very runny, sir. It's really very, VERY runny, sir. ---------------------------------------- shopkeeper : Michael Palin client : John Cleese sketch : Cheese Shop Sketch Note that the order in which the keyword arguments are printed is guaranteed to match the order in which they were provided in the function call. 4.9.3. Special parameters ¶ By default, arguments may be passed to a Python function either by position or explicitly by keyword. For readability and performance, it makes sense to restrict the way arguments can be passed so that a developer need only look at the function definition to determine if items are passed by position, by position or keyword, or by keyword. A function definition may look like: def f(pos1, pos2, /, pos_or_kwd, *, kwd1, kwd2): ----------- ---------- ---------- | | | | Positional or keyword | | - Keyword only -- Positional only where / and * are optional. If used, these symbols indicate the kind of parameter by how the arguments may be passed to the function: positional-only, positional-or-keyword, and keyword-only. Keyword parameters are also referred to as named parameters. 4.9.3.1. Positional-or-Keyword Arguments ¶ If / and * are not present in the function definition, arguments may be passed to a function by position or by keyword. 4.9.3.2. Positional-Only Parameters ¶ Looking at this in a bit more detail, it is possible to mark certain parameters as positional-only . If positional-only , the parameters’ order matters, and the parameters cannot be passed by keyword. Positional-only parameters are placed before a / (forward-slash). The / is used to logically separate the positional-only parameters from the rest of the parameters. If there is no / in the function definition, there are no positional-only parameters. Parameters following the / may be positional-or-keyword or keyword-only . 4.9.3.3. Keyword-Only Arguments ¶ To mark parameters as keyword-only , indicating the parameters must be passed by keyword argument, place an * in the arguments list just before the first keyword-only parameter. 4.9.3.4. Function Examples ¶ Consider the following example function definitions paying close attention to the markers / and * : >>> def standard_arg ( arg ): ... print ( arg ) ... >>> def pos_only_arg ( arg , / ): ... print ( arg ) ... >>> def kwd_only_arg ( * , arg ): ... print ( arg ) ... >>> def combined_example ( pos_only , / , standard , * , kwd_only ): ... print ( pos_only , standard , kwd_only ) The first function definition, standard_arg , the most familiar form, places no restrictions on the calling convention and arguments may be passed by position or keyword: >>> standard_arg ( 2 ) 2 >>> standard_arg ( arg = 2 ) 2 The second function pos_only_arg is restricted to only use positional parameters as there is a / in the function definition: >>> pos_only_arg ( 1 ) 1 >>> pos_only_arg ( arg = 1 ) Traceback (most recent call last): File "<stdin>" , line 1 , in <module> TypeError : pos_only_arg() got some positional-only arguments passed as keyword arguments: 'arg' The third function kwd_only_arg only allows keyword arguments as indicated by a * in the function definition: >>> kwd_only_arg ( 3 ) Traceback (most recent call last): File "<stdin>" , line 1 , in <module> TypeError : kwd_only_arg() takes 0 positional arguments but 1 was given >>> kwd_only_arg ( arg = 3 ) 3 And the last uses all three calling conventions in the same function definition: >>> combined_example ( 1 , 2 , 3 ) Traceback (most recent call last): File "<stdin>" , line 1 , in <module> TypeError : combined_example() takes 2 positional arguments but 3 were given >>> combined_example ( 1 , 2 , kwd_only = 3 ) 1 2 3 >>> combined_example ( 1 , standard = 2 , kwd_only = 3 ) 1 2 3 >>> combined_example ( pos_only = 1 , standard = 2 , kwd_only = 3 ) Traceback (most recent call last): File "<stdin>" , line 1 , in <module> TypeError : combined_example() got some positional-only arguments passed as keyword arguments: 'pos_only' Finally, consider this function definition which has a potential collision between the positional argument name and **kwds which has name as a key: def foo ( name , ** kwds ): return 'name' in kwds There is no possible call that will make it return True as the keyword 'name' will always bind to the first parameter. For example: >>> foo ( 1 , ** { 'name' : 2 }) Traceback (most recent call last): File "<stdin>" , line 1 , in <module> TypeError : foo() got multiple values for argument 'name' >>> But using / (positional only arguments), it is possible since it allows name as a positional argument and 'name' as a key in the keyword arguments: >>> def foo ( name , / , ** kwds ): ... return 'name' in kwds ... >>> foo ( 1 , ** { 'name' : 2 }) True In other words, the names of positional-only parameters can be used in **kwds without ambiguity. 4.9.3.5. Recap ¶ The use case will determine which parameters to use in the function definition: def f ( pos1 , pos2 , / , pos_or_kwd , * , kwd1 , kwd2 ): As guidance: Use positional-only if you want the name of the parameters to not be available to the user. This is useful when parameter names have no real meaning, if you want to enforce the order of the arguments when the function is called or if you need to take some positional parameters and arbitrary keywords. Use keyword-only when names have meaning and the function definition is more understandable by being explicit with names or you want to prevent users relying on the position of the argument being passed. For an API, use positional-only to prevent breaking API changes if the parameter’s name is modified in the future. 4.9.4. Arbitrary Argument Lists ¶ Finally, the least frequently used option is to specify that a function can be called with an arbitrary number of arguments. These arguments will be wrapped up in a tuple (see Tuples and Sequences ). Before the variable number of arguments, zero or more normal arguments may occur. def write_multiple_items ( file , separator , * args ): file . write ( separator . join ( args )) Normally, these variadic arguments will be last in the list of formal parameters, because they scoop up all remaining input arguments that are passed to the function. Any formal parameters which occur after the *args parameter are ‘keyword-only’ arguments, meaning that they can only be used as keywords rather than positional arguments. >>> def concat ( * args , sep = "/" ): ... return sep . join ( args ) ... >>> concat ( "earth" , "mars" , "venus" ) 'earth/mars/venus' >>> concat ( "earth" , "mars" , "venus" , sep = "." ) 'earth.mars.venus' 4.9.5. Unpacking Argument Lists ¶ The reverse situation occurs when the arguments are already in a list or tuple but need to be unpacked for a function call requiring separate positional arguments. For instance, the built-in range() function expects separate start and stop arguments. If they are not available separately, write the function call with the * -operator to unpack the arguments out of a list or tuple: >>> list ( range ( 3 , 6 )) # normal call with separate arguments [3, 4, 5] >>> args = [ 3 , 6 ] >>> list ( range ( * args )) # call with arguments unpacked from a list [3, 4, 5] In the same fashion, dictionaries can deliver keyword arguments with the ** -operator: >>> def parrot ( voltage , state = 'a stiff' , action = 'voom' ): ... print ( "-- This parrot wouldn't" , action , end = ' ' ) ... print ( "if you put" , voltage , "volts through it." , end = ' ' ) ... print ( "E's" , state , "!" ) ... >>> d = { "voltage" : "four million" , "state" : "bleedin' demised" , "action" : "VOOM" } >>> parrot ( ** d ) -- This parrot wouldn't VOOM if you put four million volts through it. E's bleedin' demised ! 4.9.6. Lambda Expressions ¶ Small anonymous functions can be created with the lambda keyword. This function returns the sum of its two arguments: lambda a, b: a+b . Lambda functions can be used wherever function objects are required. They are syntactically restricted to a single expression. Semantically, they are just syntactic sugar for a normal function definition. Like nested function definitions, lambda functions can reference variables from the containing scope: >>> def make_incrementor ( n ): ... return lambda x : x + n ... >>> f = make_incrementor ( 42 ) >>> f ( 0 ) 42 >>> f ( 1 ) 43 The above example uses a lambda expression to return a function. Another use is to pass a small function as an argument. For instance, list.sort() takes a sorting key function key which can be a lambda function: >>> pairs = [( 1 , 'one' ), ( 2 , 'two' ), ( 3 , 'three' ), ( 4 , 'four' )] >>> pairs . sort ( key = lambda pair : pair [ 1 ]) >>> pairs [(4, 'four'), (1, 'one'), (3, 'three'), (2, 'two')] 4.9.7. Documentation Strings ¶ Here are some conventions about the content and formatting of documentation strings. The first line should always be a short, concise summary of the object’s purpose. For brevity, it should not explicitly state the object’s name or type, since these are available by other means (except if the name happens to be a verb describing a function’s operation). This line should begin with a capital letter and end with a period. If there are more lines in the documentation string, the second line should be blank, visually separating the summary from the rest of the description. The following lines should be one or more paragraphs describing the object’s calling conventions, its side effects, etc. The Python parser strips indentation from multi-line string literals when they serve as module, class, or function docstrings. Here is an example of a multi-line docstring: >>> def my_function (): ... """Do nothing, but document it. ... ... No, really, it doesn't do anything: ... ... >>> my_function() ... >>> ... """ ... pass ... >>> print ( my_function . __doc__ ) Do nothing, but document it. No, really, it doesn't do anything: >>> my_function() >>> 4.9.8. Function Annotations ¶ Function annotations are completely optional metadata information about the types used by user-defined functions (see PEP 3107 and PEP 484 for more information). Annotations are stored in the __annotations__ attribute of the function as a dictionary and have no effect on any other part of the function. Parameter annotations are defined by a colon after the parameter name, followed by an expression evaluating to the value of the annotation. Return annotations are defined by a literal -> , followed by an expression, between the parameter list and the colon denoting the end of the def statement. The following example has a required argument, an optional argument, and the return value annotated: >>> def f ( ham : str , eggs : str = 'eggs' ) -> str : ... print ( "Annotations:" , f . __annotations__ ) ... print ( "Arguments:" , ham , eggs ) ... return ham + ' and ' + eggs ... >>> f ( 'spam' ) Annotations: {'ham': <class 'str'>, 'return': <class 'str'>, 'eggs': <class 'str'>} Arguments: spam eggs 'spam and eggs' 4.10. Intermezzo: Coding Style ¶ Now that you are about to write longer, more complex pieces of Python, it is a good time to talk about coding style . Most languages can be written (or more concise, formatted ) in different styles; some are more readable than others. Making it easy for others to read your code is always a good idea, and adopting a nice coding style helps tremendously for that. For Python, PEP 8 has emerged as the style guide that most projects adhere to; it promotes a very readable and eye-pleasing coding style. Every Python developer should read it at some point; here are the most important points extracted for you: Use 4-space indentation, and no tabs. 4 spaces are a good compromise between small indentation (allows greater nesting depth) and large indentation (easier to read). Tabs introduce confusion, and are best left out. Wrap lines so that they don’t exceed 79 characters. This helps users with small displays and makes it possible to have several code files side-by-side on larger displays. Use blank lines to separate functions and classes, and larger blocks of code inside functions. When possible, put comments on a line of their own. Use docstrings. Use spaces around operators and after commas, but not directly inside bracketing constructs: a = f(1, 2) + g(3, 4) . Name your classes and functions consistently; the convention is to use UpperCamelCase for classes and lowercase_with_underscores for functions and methods. Always use self as the name for the first method argument (see A First Look at Classes for more on classes and methods). Don’t use fancy encodings if your code is meant to be used in international environments. Python’s default, UTF-8, or even plain ASCII work best in any case. Likewise, don’t use non-ASCII characters in identifiers if there is only the slightest chance people speaking a different language will read or maintain the code. Footnotes [ 1 ] Actually, call by object reference would be a better description, since if a mutable object is passed, the caller will see any changes the callee makes to it (items inserted into a list). Table of Contents 4. More Control Flow Tools 4.1. if Statements 4.2. for Statements 4.3. The range() Function 4.4. break and continue Statements 4.5. else Clauses on Loops 4.6. pass Statements 4.7. match Statements 4.8. Defining Functions 4.9. More on Defining Functions 4.9.1. Default Argument Values 4.9.2. Keyword Arguments 4.9.3. Special parameters 4.9.3.1. Positional-or-Keyword Arguments 4.9.3.2. Positional-Only Parameters 4.9.3.3. Keyword-Only Arguments 4.9.3.4. Function Examples 4.9.3.5. Recap 4.9.4. Arbitrary Argument Lists 4.9.5. Unpacking Argument Lists 4.9.6. Lambda Expressions 4.9.7. Documentation Strings 4.9.8. Function Annotations 4.10. Intermezzo: Coding Style Previous topic 3. An Informal Introduction to Python Next topic 5. Data Structures This page Report a bug Show source « Navigation index modules | next | previous | Python » 3.14.2 Documentation » The Python Tutorial » 4. More Control Flow Tools | Theme Auto Light Dark | © Copyright 2001 Python Software Foundation. This page is licensed under the Python Software Foundation License Version 2. Examples, recipes, and other code in the documentation are additionally licensed under the Zero Clause BSD License. See History and License for more information. The Python Software Foundation is a non-profit corporation. Please donate. Last updated on Jan 13, 2026 (06:19 UTC). Found a bug ? Created using Sphinx 8.2.3. | 2026-01-13T08:47:44 |
https://dev.to/missamarakay/following-cooking-recipes-makes-you-a-clearer-writer-460a | Following Cooking Recipes Makes You a Clearer Writer - 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 Amara Graham Posted on Jul 17, 2019 Following Cooking Recipes Makes You a Clearer Writer # devrel # documentation I'm really into cooking, baking, pickling, really anything that will end in me eating something delicious. But I didn't find it enjoyable or "get good" at cooking overnight. My parents cooked most of our meals and if you planned on eating said meal, you were required to provide some amount of assistance, regardless of your blood relation to the family. After graduating out of dorm life I realized I needed to feed myself or starve, so I started getting bolder with my kitchen experiments and I'm pleased to say I'm still alive. "Ok Amara, but where is the tech components of this blog?" Hold on, I'm setting up the metaphor. "Ok fine." In the Kitchen If you stand in a kitchen and watch my dad cook - he reads a recipe, studies it, then goes through and pulls out all the things he needs to make it happen. For banana bread he usually has to pull the frozen bananas out early to thaw them enough to peel them, he portions out the spices so he can toss them in while mixing, he sprays the loaf pan before the mixture is together. If you watched me in my first apartment attempting banana bread for the first time, you would have seen someone who barely read the recipe (I've made this before, with supervision, and watched my dad make it for years, how hard can it be?) and did exactly every step of the instruction in series. Pull frozen bananas out of the freezer, immediately realize you can't peel a banana when its extra frozen, wait just long enough you can pry the peel off, smash the mostly still frozen bananas, slowly add each spice one at a time, measuring as you go, mix everything together, spray the pan, realize the oven isn't on, wait to pre-heat, blah blah blah, why did this take double the prep time? My dad has always taken the methodical approach to everything, he's a chemist and he loves math. I'm impatient and can't spend even 30 seconds idle when I know I need to complete a task, so I pretty much have the attention span of a Border Collie (have you seen those dogs stare at a ball, full body shaking with excitement?). At My Desk I'm sure you'll be shocked to hear when I sit down to learn some kind of new tech, I barely skim the tutorial or docs, immediately start the "doing", and often end up frustrated and annoyed with the experience. In some cases I tell myself things like "oh I've used an API like this before, I can just make it work" and 3 days later I'm banging my head on the keyboard. "Amara, just slow down and actually read the tutorial." Easier said than done. Not just for me personally, but for any dev, and that includes your dev coworkers, customers, community, etc. Time is precious, workplaces are more agile than ever, and people pay money for other people to stand in line for them. In My Brain Now recipes, just like tutorials, can be poorly written, but even the good ones can suffer from poor execution as I rambled on above. There are 5 things I learned from getting better at following cooking recipes that I think apply to written technical content. Ambiguous Terms Jargon Chunking Brevity Audience Let's take a look at each one. Ambiguous Terms Have you ever read a recipe, seen the word "mix" and go... with a spoon? A stand mixer? How long? Or how about "hand mix"? Did you know that a 'Hand Mixer' is an appliance and not the things at the end of your arms? Because a few years ago when we first started dating, my now husband did not. In tech, we love using the same term for a number of different things. Or we have a number of different words for the same thing. Really friendly to beginners right? Something like "Run this" might make sense to you, the engineer who built it, because its probably never crossed your mind that you run it globally and not in a particular directory (or vice versa) but that can be one of the most irritating things for a dev struggling with the worry of doing something wrong and/or irreversible. Be explicit in your use of terms and maybe consider a glossary of terms relevant to your project/product/industry/company. What does this mean in this context, right here, right now? Don't leave your reading punching out to search for answers. Jargon Every talk I've given on AI to beginners has included a disclaimer about not only ambiguous terminology but jargon. 'Fine-tuning' is not super intuitive, neither is 'hyperparameter'. 'Fold in' or 'soft peaks' in cooking is right up there too. Mastering the jargon can disrupt retention of fundamental topics. Explaining these terms early in docs and tutorials is crucial. You should not assume knowledge of jargon, so this is another +1 for a glossary. Chunking I am a huge fan of multi-part tutorials and how-to series, so long as they are done right. At the end of each part in a series, you should have a small complete something. Developers may not have time to sit down and do a 3-6 hour tutorial, but they should be able to get 20 minutes to an hour of uninterrupted time. You don't want to tackle a slow cooker recipe at 5pm expecting to eat it for dinner, but you may want to brown some meat so it is ready to toss in the next morning. If I have 20 minutes today to set myself up for success later today or tomorrow, I need to know I can get it done in the allocated time. And I need to feel like I can pick it up again without rereading the entire thing. Brevity Unlike this blog which is probably way too long for most of you, the more concise your written technical content the easier its going to be to follow. It's part of what makes the Tasty videos so appealing to watch - someone makes a sped up, top-down recipe that feels fast and easy even if its neither. This doesn't mean you can't write an introduction or a conclusion that goes more in depth about the content, but when you get to the meat of the docs or tutorial it should be a lean, mean, executing machine. Food bloggers are great at this, they may give you step-by-step pictures and commentary, but they almost always include the recipe separately. So feel free to tell me how you are going to save the world with this tutorial, but keep it out of the exact steps I'm following so I don't get overwhelmed. Audience This is maybe the most important, although I could argue that they all are. Knowing your developer audience is extremely important in technical writing. This helps you make decisions about what languages and references to use, what their workstation may look like, and maybe even things like their attention span. If your audience is students, whether they will admit it or not, they tend to have WAY more time to sit down and really study a tutorial. Or maybe they are participating in a hackathon and it just needs to work as fast as possible. But maybe your audience is enterprise developers, like mine often is. This means it has to be production-ready, maintainable, and even trainable across teams. Your maintenance team may be entirely separate from your product engineering team, so the content they follow may need to be different. Knowing or identifying your audience can be challenging, but this is a great opportunity for your devrel team to really shine. Celebrate Those Incremental Improvements Like I mentioned earlier, I didn't wake up one day and realize if I actually read the recipe, prepped ahead of time, and researched how to do certain kitchen techniques (again, ahead of time), I could maximize my time in the kitchen and feel less overwhelmed. In fact, I'm probably 50:50 in my ability to prep and run in parallel or haphazardly skim in series today. But snaps for me because this week I measured everything out before I started cooking! I'm sure you could make an argument that my dad is a 'senior' in the kitchen and I'm not (but I'm also not junior either), but he'd prefer you only use 'senior' when used in conjunction with "senior discount" at this point in his life. Let's say 'seasoned'. Whether you are a junior or senior dev, you still need the content you are consuming to prepare you for success. But with more and more folks using services like Blue Apron, Hello Fresh, Home Chef, arguably boxed Bootcamp experiences for the kitchen, we have a new generation of folks training themselves how to follow recipes and we can translate that experience into the tech world, allowing for more confident, empowered folks in the kitchen and at the keyboard. So instead of shouting "read the docs" or "follow the tutorial" make sure your content is as consumable and delicious as a home cooked meal. Top comments (5) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Jason C. McDonald Jason C. McDonald Jason C. McDonald Follow Author. Speaker. Time Lord. (Views are my own) Email codemouse92@outlook.com Location Time Vortex Pronouns he/him Work Author of "Dead Simple Python" (No Starch Press) Joined Jan 31, 2017 • Aug 5 '19 Dropdown menu Copy link Hide Excellent write up! I'm actually going to include this on the #beginners tag wiki for authors to read. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand JeffD JeffD JeffD Follow Code-quality 🩺 Teamwork 🐝 & everything that can simplify the developper's life 🗂️. Location France Joined Oct 16, 2017 • Sep 16 '19 Dropdown menu Copy link Hide This post is a must-read ! It's perfect 🏆 ("Hold on, I'm setting up the metaphor." 🤣) Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Alvarez García Alvarez García Alvarez García Follow After more than 10 years backending, now trying to make this CSS properties work. Location Buenos Aires, Argentina Work FullStack Joined Apr 24, 2019 • Jul 25 '19 Dropdown menu Copy link Hide DevRel in construction here, thanks for this really simple and enjoyable post. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Amara Graham Amara Graham Amara Graham Follow Enabling developers Location Austin, TX Education BS Computer Science from Trinity University Work Developer Advocate at Kestra Joined Jan 4, 2017 • Jul 25 '19 Dropdown menu Copy link Hide Thank you! :) Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Shashamura1 Shashamura1 Shashamura1 Follow Hi everyone my name is daniel.gentle loving caring I’am a type of person that always optimistic in every thing that I doing im very couriours and ambitious to lean I’m very new in this site Email ashogbondaniel292@gmail.com Location USA Education Technical college Work CEO at mylocallatest ...https://mylocallatest512644105.wordpress.com Joined Sep 12, 2022 • Oct 8 '22 Dropdown menu Copy link Hide Nice post I can use it to learn as project in dev.com ..to share the interest story of cooking Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Amara Graham Follow Enabling developers Location Austin, TX Education BS Computer Science from Trinity University Work Developer Advocate at Kestra Joined Jan 4, 2017 More from Amara Graham Moving Config Docs From YAML to Markdown # documentation # yaml # markdown Moving DevEx from DevRel to Engineering # devrel # devex # engineering # reorg Bing Webmaster Tools De-indexed My Docs Site and Increased My Cognitive Load # webdev # seo # documentation 💎 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:47:44 |
https://docs.suprsend.com/docs/inbox-overview | Overview - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation Notification Inbox Overview Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Notification Inbox Overview OpenAI Open in ChatGPT Learn about features and benefits of SuprSend’s notification inbox, with link to live demo and git repository. OpenAI Open in ChatGPT A notification inbox is a centralized place for all your in-app notifications, offering several advantages over other notification channels. With a notification inbox, users can receive real-time transactional updates related to payment reminders, software updates, new features, etc. within the app. You can use SuprSend Inbox to easily integrate feeds, inboxes, and toasts into your product. Check Live demo in Inbox Playground Benefits of notification inbox over other communication channels Real-time updates: A notification inbox delivers real-time updates to users, providing timely and relevant information. 100% deliverability: Notifications sent through a notification inbox have a high deliverability rate and are perfect for sending important updates and messages. Flexibility in message design: There is no limitation to the type and length of content that you can send with Inbox. Hence, the messages can be designed as per your requirement. Plus, you can add any type of click action to inbox message components which offer great flexibility in driving user engagement. Integrating SuprSend inbox With SuprSend Inbox, You can effortlessly add a beautifully designed, highly functional inbox to your product in an hour. There is no infrastructure required at your end to manage and store inbox notifications, and for state management such as read, seen, and archive tracking You get ready components to handle any use such as showing toast, showing profile avatar in your notification, handling different click actions in your notification component, etc. Inbox messages are completely secure with HMAC encoded user identification to safeguard them from unauthorized access. This means you can use it to send sensitive information related to payments, billing, account updates, etc. You can customize it to match your brand style using pre-defined UI customization options or build your headless UI using hooks SDKs are available in all common languages React (Web) Angular (Web) React Native (App) Flutter (App) Was this page helpful? Yes No Suggest edits Raise issue Previous Multi Tabs Learn how to set up stores to filter and display notifications in separate inbox tabs such as Read, Unread, and more. Next ⌘ I x github linkedin youtube Powered by On this page Benefits of notification inbox over other communication channels Integrating SuprSend inbox | 2026-01-13T08:47:44 |
https://affiliates.ruul.io/ | Ruul Affiliate Program | Affiliate signup | Ruul Unsupported Browser Although our tracking technology supports older browsers, unfortunately our website does not. Please upgrade your browser in order to get the full user experience. Log in BRING USERS. GET PAID. Our affiliate program earns you around $10 per user, each month. Bring 100, and that’s about $1,000 in passive income. Sounds good? We think so too. Start earning with each successful referral! Become our affiliate. Sign up here! First name * Last name * Email * Password * * The password must be at least 8 characters long. Don't use passwords for other accounts or weak, easy-to-guess passwords. I agree to Terms and conditions * Sign up with Google Are you sure? Cancel Confirm | 2026-01-13T08:47:44 |
https://parenting.forem.com/ | Parenting 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 Parenting Close Welcome to Parenting — part of the Forem network! Navigating the chaos and joy of parenting. Create account Log in Home About Contact Other Code of Conduct Privacy Policy Terms of Use Twitter Facebook Github Instagram Twitch Mastodon Popular Tags #discuss #learning #development #mentalhealth #education #travel #communication #adoption #selfcare #feeding #toddlers #newparents #chores #schoolage #venting #dadlife #pottytraining #advice #momlife #discipline #celebrations #preschoolers #tantrums #singleparenting #toys #productreviews #infants #milestones #askparents #pickyeating Parenting A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Posts Relevant Latest Top Creating a Safe, Supportive Home Environment for Individuals with IDD Community Living & Care Insights Community Living & Care Insights Community Living & Care Insights Follow Dec 30 '25 Creating a Safe, Supportive Home Environment for Individuals with IDD # development # familylife # mentalhealth Comments Add Comment 6 min read The Case for Thyroid Testing in Pregnancy Dani Robertshaw Dani Robertshaw Dani Robertshaw Follow Dec 14 '25 The Case for Thyroid Testing in Pregnancy # thyroid # pregnancy Comments Add Comment 2 min read Raising Privacy-Smart Kids In An Always-Online World Geoffrey Wenger Geoffrey Wenger Geoffrey Wenger Follow Dec 24 '25 Raising Privacy-Smart Kids In An Always-Online World # cybersecurity # privacy # infosec 1 reaction Comments Add Comment 3 min read Top 5 Breast Pumps for 2025: Soft, Practical & Tested by Real Moms Keira Smith Keira Smith Keira Smith Follow Dec 3 '25 Top 5 Breast Pumps for 2025: Soft, Practical & Tested by Real Moms # babygear # newparents Comments 1 comment 18 min read I built a free baby tracker that syncs across devices without requiring an account Siarhei Siarhei Siarhei Follow Dec 1 '25 I built a free baby tracker that syncs across devices without requiring an account # dadlife # newparents 2 reactions Comments 1 comment 3 min read My Free Half Marathon Plan for Working Parents Martin Cartledge Martin Cartledge Martin Cartledge Follow Dec 1 '25 My Free Half Marathon Plan for Working Parents # parenting 2 reactions Comments 1 comment 1 min read What Fraud Taught Me About Teaching Children Digital Trust: A Retrospective Narnaiezzsshaa Truong Narnaiezzsshaa Truong Narnaiezzsshaa Truong Follow Nov 25 '25 What Fraud Taught Me About Teaching Children Digital Trust: A Retrospective # cybersecurity # parenting # phishing # mindfulness 5 reactions Comments 3 comments 5 min read How Becoming a Parent Helped Me Notice the Small Things Eli Sanderson Eli Sanderson Eli Sanderson Follow Nov 21 '25 How Becoming a Parent Helped Me Notice the Small Things # discuss # celebrations # newparents 7 reactions Comments 1 comment 7 min read The Sturdy Pillar Doesn’t Need Reinforcement Juno Threadborne Juno Threadborne Juno Threadborne Follow Nov 21 '25 The Sturdy Pillar Doesn’t Need Reinforcement # mentalhealth # singleparenting 6 reactions Comments 2 comments 4 min read Feeling sad about the lack of diversity at my kid's school Jenny Li Jenny Li Jenny Li Follow Oct 15 '25 Feeling sad about the lack of diversity at my kid's school # inclusion # venting 5 reactions Comments 1 comment 1 min read Weaning Woes Jenny Li Jenny Li Jenny Li Follow Nov 13 '25 Weaning Woes # venting # bodyfeeding 15 reactions Comments 9 comments 1 min read I built something for busy parents who want to run Martin Cartledge Martin Cartledge Martin Cartledge Follow Nov 12 '25 I built something for busy parents who want to run # mentalhealth # balance 10 reactions Comments 2 comments 1 min read This...has not worked the last three nights 😒 Jess Lee Jess Lee Jess Lee Follow Oct 28 '25 This...has not worked the last three nights 😒 We started a new routine called 'highs and lows' to get our kids to open up more! Jess Lee ・ Oct 22 #discuss 1 reaction Comments Add Comment 1 min read We started a new routine called 'highs and lows' to get our kids to open up more! Jess Lee Jess Lee Jess Lee Follow Oct 22 '25 We started a new routine called 'highs and lows' to get our kids to open up more! # discuss 19 reactions Comments 2 comments 2 min read Welcome to Parenting! Jess Lee Jess Lee Jess Lee Follow Oct 14 '25 Welcome to Parenting! # welcome 31 reactions Comments 10 comments 1 min read Why the "Why?" Game is the Most Valuable Thing I Do With My Kids Juno Threadborne Juno Threadborne Juno Threadborne Follow Oct 20 '25 Why the "Why?" Game is the Most Valuable Thing I Do With My Kids # newparents # development # communication # learning 19 reactions Comments 2 comments 3 min read International Travel with Toddlers: Car Seat (or vest!) Considerations Jess Lee Jess Lee Jess Lee Follow Oct 14 '25 International Travel with Toddlers: Car Seat (or vest!) Considerations # travel # gear 15 reactions Comments 2 comments 3 min read What do you do when your kids won't wear weather appropriate clothes? Jenny Li Jenny Li Jenny Li Follow Oct 14 '25 What do you do when your kids won't wear weather appropriate clothes? # discuss 10 reactions Comments 2 comments 1 min read loading... #discuss Discussion threads targeting the whole community 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Parenting — A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Navigating the chaos and joy of parenting. Log in Create account | 2026-01-13T08:47:44 |
https://www.pocketgamer.com/ | The world's number one mobile and handheld videogame website | Pocket Gamer Our Network Arrow Down PocketGamer.com AppSpy.com 148Apps.com PocketGamer.fr PocketGamer.biz PCGamesInsider.biz The Sims News PocketGamer.fun BlockchainGamer.biz PG Connects BigIndiePitch.com MobileGamesAwards.com U.GG Icy Veins The Sims Resource Fantasy Football Scout GameKnot Addicting Games Arcade Cloud EV.IO Menu PocketGamer.com Facebook X YouTube RSS Search Search Feature Ahead of the Game - Shadowborn is Diablo-esque dungeon-looting fun with highly customisable builds Some shadowy shenanigans indeed By Catherine Dellosa Top List Best free games to play on your iPhone, iPad or Android Phone in 2026 - Updated By Stephen Gregson-Wood Top List Top 52 best soft launch mobile games for iPhone, iPad or Android By Stephen Gregson-Wood Feature The Wrapp - Cracking codes, colliding realms, and making dawn By Stephen Gregson-Wood Update Lost Sword rings in global half anniversary with special event and freebies By Mark Langshaw Handset Review Honor Magic8 Pro review - "A phone for pictures" By Jupiter Hadley Feature 5 new mobile games to try this week - January 8th, 2026 By Catherine Dellosa Most Popular Games Everything you need on the biggest mobile games Coin Master Cookie Run: Kingdom Roblox Marvel Contest of Champions Idle Heroes Pokemon GO Mobile Legends: Bang Bang Warhammer 40,000: Tacticus Latest News View More News Marvel Contest of Champions kicks off the year with new Champions, fan vote, and major events By Tanish Botadkar News Bluey’s Quest for the Gold Pen brings the iconic character to Android as it launches worldwide on Google Play By Tanish Botadkar News Footy Dash is a new take on the beautiful game from the developer behind Pizza Hero By Iwan Morris News Pokémon Go heads to the land down under for the Australian Open 2026 By Iwan Morris News Puzzle & Dragons hits a whopping 16 million downloads in North America By Tanish Botadkar Features View More Feature Definitive Apple Arcade games list - Every available title so far By Pocket Gamer staff Interview Interview: Find out how Echoes of Revolution brings American history to life through Assassin's Creed By Iwan Morris Feature Off the AppStore: Weathering Our Monsoon Balcony By Will Quick Feature Ahead of the Game - Dungeon Random Defense tests your horde-clearing tactics (with a special New Year code too) By Catherine Dellosa Right Arrow Game Finder Browse our archive for thousands of game reviews across all mobile and handheld formats Redeem Codes View More How To Today's Coin Master free spins & coins links (January 2026) By Stephen Gregson-Wood How To Doomsday: Last Survivors codes (January 2026) - Free Gems, Battle Manuals, and Speed Ups By Charlène Tavares How To Foundation: Galactic Frontier codes (January 2026) - Fill up on Water and Metal By Charlène Tavares Roblox View More How To Miraculous Tower Defense codes (January 2026) By Mihail Katsoris How To Dandy's World codes (January 2026) By Cristina Mesesan How To Tennis Zero codes (January 2026) By Cristina Mesesan How To Roblox Baddies codes (January 2026) By Cristina Mesesan Tier Lists View More How To The fastest cars in CSR Racing 2, in every tier By Mihail Katsoris How To Seven Knights Re:BIRTH tier list By Cristina Mesesan How To Top War tier list - Every hero ranked By Mihail Katsoris How To Warpath best officers tier list - Every character ranked By Mihail Katsoris Cookie Run: Kingdom View More How To Cookie Run Kingdom codes (January 2026) By Shaun Walton How To Cookie Run Kingdom tier list [January 2026] By Mihail Katsoris How To Cookie Run: Kingdom Holiday Square event guide - All hidden object locations and answers By Cristina Mesesan How To Cookie Run Kingdom: Millennial Tree Cookie Toppings and Beascuits guide By Cristina Mesesan Game Reviews View More Game Review Fangs Breaker review - "A familiar-feeling twist" By Jupiter Hadley Game Review Cult of the Lamb review - "Pocket-sized cults!" By Jupiter Hadley Game Review Trickshot Corncob Game review - "Lots of throwing!" By Jupiter Hadley Game Review Monument Valley 3: The Garden of Life review - "More puzzles, interesting story" By Jupiter Hadley Top Lists View More Top List The best mobile games of 2026 so far (January 2026) By Catherine Dellosa Top List Best strategy games for Android By Pocket Gamer staff Top List The best mobile games of 2025 so far (December 2025) By Catherine Dellosa Feature Best upcoming mobile games in 2026 By Jupiter Hadley Hardware & Gadgets View More Hardware Review Status Audio Pro X review - "Great sound quality and noise cancelling" By Jupiter Hadley Hardware Review Boox Note Max review - "Top-notch productivity and gaming without the eye strain" By Catherine Dellosa Tips & Guides View More How To Heartopia codes (January 2026) - Moonlight Crystals and Wishing Stars up for grabs By Charlène Tavares How To Today's Mobile Legends: Bang Bang redeem codes (January 2026) By Shaun Walton How To Love Nikki codes (January 2026) By Shaun Walton How To Lyssa Goddess of Rage codes (January 2026) By Cristina Mesesan News View More News Garena: Free Fire to introduce new collaboration with hit shonen series JuJutsu Kaisen this month By Iwan Morris News Motto Immortal offers strategic RPG action with some interesting but potentially controversial twists By Iwan Morris News The Sims shows off what's in store for mobile this coming year in new update By Iwan Morris News Armored Frontline: Warzone is a tank battler that has opened global pre-registration ahead of launch By Tanish Botadkar News Reverse: 1999 is headed to Paris for a feature-packed version 3.2 this month By Iwan Morris News Torchlight: Infinite SS11 Vorax revamps gameplay, loot systems, and visuals By Tanish Botadkar News Another Eden: The Cat Beyond Time & Space adds new prequel content for Wryz Saga By Iwan Morris News Play Together's latest update sees fan-favourite NPC Mr Hotdog go missing By Iwan Morris Pocket Gamer Podcast View More Feature The Pocket Gamer Podcast Year-End Special 2025 - Infinity Nikki, Suzerain, and The Longing By Catherine Dellosa Feature The Pocket Gamer Podcast Christmas Special 2025 - Balatro, Maneater, and Neko Atsume By Catherine Dellosa Feature The Pocket Gamer Podcast Episode 59 - Umamusume: Pretty Derby, Dead Cells, and PUBG By Catherine Dellosa Feature The Pocket Gamer Podcast Episode 58 - Netflix and Warner Bros, The Darkside Detective, and Dungeons of Dusk By Catherine Dellosa Game Reviews View More Chicken vs Hotdog: Trickshot Slender Threads Fangs Breaker Grid Ranger Cult of the Lamb AstroCat Adventures Sengodai Soul Hunter The Macabre Journey | 2026-01-13T08:47:44 |
https://github.com/rikeda71/drizzle-docs-generator | GitHub - rikeda71/drizzle-docs-generator: CLI tool to generate DBML or markdown document from Drizzle ORM schemas. Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} rikeda71 / drizzle-docs-generator Public Notifications You must be signed in to change notification settings Fork 0 Star 0 CLI tool to generate DBML or markdown document from Drizzle ORM schemas. License MIT license 0 stars 0 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 0 Pull requests 0 Actions Projects 0 Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Projects Security Insights rikeda71/drizzle-docs-generator main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 52 Commits .claude .claude .github .github examples examples src src .gitignore .gitignore .oxfmtrc.json .oxfmtrc.json CLAUDE.md CLAUDE.md LICENSE LICENSE README.ja.md README.ja.md README.md README.md RELEASE.md RELEASE.md oxlintrc.json oxlintrc.json package.json package.json pnpm-lock.yaml pnpm-lock.yaml tsconfig.json tsconfig.json vite.config.ts vite.config.ts vitest.config.ts vitest.config.ts vitest.integration.config.ts vitest.integration.config.ts View all files Repository files navigation README MIT license drizzle-docs-generator CLI tool to generate DBML and Markdown documentation from Drizzle ORM schemas. Extracts JSDoc comments and outputs them as Note clauses. Features: Directory Import Support : Import all schema files from a directory No File Extension Required : Works with extensionless imports (e.g., import { users } from './users' ) JSDoc Comments : Automatically extracts and converts to DBML Notes Relations Support : Generate refs from relations() or defineRelations() Watch Mode : Auto-regenerate on file changes Multiple Output Formats : DBML (default) and Markdown with ER diagrams 日本語版READMEはこちら Install Local Install (recommended) # As a dev dependency npm install --save-dev drizzle-docs-generator # or pnpm add -D drizzle-docs-generator # Then use with npx npx drizzle-docs generate ./src/db/schema.ts -d postgresql Global Install npm install -g drizzle-docs-generator # or pnpm add -g drizzle-docs-generator drizzle-docs generate ./src/db/schema.ts -d postgresql Usage DBML Output (Default) # Basic - single file drizzle-docs generate ./src/db/schema.ts -d postgresql # Directory - import all schema files from directory drizzle-docs generate ./src/db/schema/ -d postgresql # Output to file drizzle-docs generate ./src/db/schema.ts -d postgresql -o schema.dbml # Watch mode drizzle-docs generate ./src/db/schema.ts -d postgresql -w Markdown Output # Markdown output (multiple files with ER diagram) drizzle-docs generate ./src/db/schema.ts -d postgresql -f markdown -o ./docs # Markdown output (single file) drizzle-docs generate ./src/db/schema.ts -d postgresql -f markdown --single-file -o schema.md # Markdown without ER diagram drizzle-docs generate ./src/db/schema.ts -d postgresql -f markdown --no-er-diagram -o ./docs Options Option Description -o, --output <path> Output file or directory path -d, --dialect <dialect> Database: postgresql (default), mysql , sqlite -f, --format <format> Output format: dbml (default), markdown -w, --watch Regenerate on file changes --single-file Output Markdown as a single file (markdown only) --no-er-diagram Exclude ER diagram from Markdown output --force Overwrite existing files without confirmation Relation Detection Relations are automatically detected from your schema: v1 API ( defineRelations() ): Detected from schema objects at runtime v0 API ( relations() ): Detected by parsing source files No configuration needed - the tool will use relation definitions when present, or fall back to foreign key constraints. Example /** Users table */ export const users = pgTable ( "users" , { /** User ID */ id : serial ( "id" ) . primaryKey ( ) , /** User name */ name : text ( "name" ) . notNull ( ) , } ) ; DBML Output Table users { id serial [pk, increment, note: 'User ID'] name text [not null, note: 'User name'] Note: 'Users table' } Markdown Output # users Users table ## Columns | Name | Type | Nullable | Default | Comment | | ---- | ------ | -------- | ------- | --------- | | id | serial | No | | User ID | | name | text | No | | User name | See examples/ for more detailed output samples. License MIT About CLI tool to generate DBML or markdown document from Drizzle ORM schemas. Topics database-schema documentation-generator drizzle drizzle-orm Resources Readme License MIT license Uh oh! There was an error while loading. Please reload this page . Activity Stars 0 stars Watchers 1 watching Forks 0 forks Report repository Releases 6 v0.4.0 Latest Jan 12, 2026 + 5 releases Packages 0 No packages published Contributors 2 Uh oh! There was an error while loading. Please reload this page . Languages TypeScript 94.2% JavaScript 4.9% Shell 0.9% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:47:44 |
https://golf.forem.com/ | Golf Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Golf Forem Close Welcome to Golf Forem — part of the Forem network! Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Create account Log in Home About Contact Other Code of Conduct Privacy Policy Terms of Use Twitter Facebook Github Instagram Twitch Mastodon Popular Tags #recommendations #golf #offtopic #lessons #memes #newgolfer #seniorgolf #introductions #roundrecap #walkvsride #coursestrategy #mentalgame #etiquette #rulesofgolf #juniorgolf #holeinone #milestones #meetups #formats #swingcritique #swingtips #shortgame #putting #handicaps #drills #golffitness #polls #selftaught #witb #womensgolf Golf Forem A community of golfers and golfing enthusiasts Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Posts Relevant Latest Top Golf.com: Behind Closed Doors: Sleepy Hollow’s Opulent Home on the Hudson YouTube Golf YouTube Golf YouTube Golf Follow Nov 7 '25 Golf.com: Behind Closed Doors: Sleepy Hollow’s Opulent Home on the Hudson # golf # offtopic # recommendations Comments Add Comment 1 min read Take the anaconda that became the Classic Parkland Course Md Younus Md Younus Md Younus Follow Nov 18 '25 Take the anaconda that became the Classic Parkland Course # golfnews Comments Add Comment 7 min read Pro Performance Coach Shares Pred Pett’s Visualization Secret Md Younus Md Younus Md Younus Follow Nov 18 '25 Pro Performance Coach Shares Pred Pett’s Visualization Secret # golfnews Comments Add Comment 4 min read At the Bermuda Championship, 2 emotional scenes said it all Md Younus Md Younus Md Younus Follow Nov 18 '25 At the Bermuda Championship, 2 emotional scenes said it all # golfnews Comments Add Comment 3 min read Was 2025 Rory McIlroy’s Soaking Sout? Md Younus Md Younus Md Younus Follow Nov 18 '25 Was 2025 Rory McIlroy’s Soaking Sout? # golfnews Comments Add Comment 5 min read No Laying Up Podcast: Old Course Renovations, Weekly Recap + Jackson Koivun | NLU Pod, Ep 1087 YouTube Golf YouTube Golf YouTube Golf Follow Nov 6 '25 No Laying Up Podcast: Old Course Renovations, Weekly Recap + Jackson Koivun | NLU Pod, Ep 1087 # discuss # golf 2 reactions Comments Add Comment 1 min read Golf.com: Ross Butler cures Erin Lim Rhodes Chipping Yips | Can I Get A Tip YouTube Golf YouTube Golf YouTube Golf Follow Oct 31 '25 Golf.com: Ross Butler cures Erin Lim Rhodes Chipping Yips | Can I Get A Tip # golf # lessons # quotes Comments Add Comment 1 min read No Laying Up Podcast: The Booth Vol.23 | Trap Draw, Ep 365 YouTube Golf YouTube Golf YouTube Golf Follow Oct 31 '25 No Laying Up Podcast: The Booth Vol.23 | Trap Draw, Ep 365 # golf # recommendations Comments Add Comment 1 min read No Laying Up Podcast: Chop Session with DJ | Trap Draw, Ep 367 YouTube Golf YouTube Golf YouTube Golf Follow Oct 31 '25 No Laying Up Podcast: Chop Session with DJ | Trap Draw, Ep 367 # golf # recommendations # offtopic # betting Comments Add Comment 1 min read No Laying Up Podcast: Lava Golf, International Crown + Jack's Big Win | NLU Pod, Ep 1085 YouTube Golf YouTube Golf YouTube Golf Follow Oct 29 '25 No Laying Up Podcast: Lava Golf, International Crown + Jack's Big Win | NLU Pod, Ep 1085 # golf # recommendations Comments Add Comment 1 min read Golf.com: MLB All-Star Dexter Fowler's Ultimate Putting Tip YouTube Golf YouTube Golf YouTube Golf Follow Oct 31 '25 Golf.com: MLB All-Star Dexter Fowler's Ultimate Putting Tip # golf # lessons # recommendations Comments Add Comment 1 min read Peter Finch Golf: I challenged a HEAD PRO at HIS OWN course... (Ep. 1 – Heswall GC) YouTube Golf YouTube Golf YouTube Golf Follow Oct 25 '25 Peter Finch Golf: I challenged a HEAD PRO at HIS OWN course... (Ep. 1 – Heswall GC) # golf # betting # recommendations Comments Add Comment 1 min read Golf.com: The Heartfelt Purpose Behind the Folds of Honor Collegiate YouTube Golf YouTube Golf YouTube Golf Follow Oct 29 '25 Golf.com: The Heartfelt Purpose Behind the Folds of Honor Collegiate # golf # recommendations Comments Add Comment 1 min read No Laying Up Podcast: Weekly Recap + Se Ri Pak Deep Dive | NLU Pod, Ep 1083 YouTube Golf YouTube Golf YouTube Golf Follow Oct 20 '25 No Laying Up Podcast: Weekly Recap + Se Ri Pak Deep Dive | NLU Pod, Ep 1083 # golf # quotes Comments Add Comment 1 min read No Laying Up Podcast: Fall Events That Slap + Great Dunes | NLU Pod, Ep 1091 YouTube Golf YouTube Golf YouTube Golf Follow Nov 20 '25 No Laying Up Podcast: Fall Events That Slap + Great Dunes | NLU Pod, Ep 1091 # golf # recommendations 5 reactions Comments Add Comment 1 min read No Laying Up Podcast: The Incidents of Sergio Garcia | NLU Pod, Ep 1086 YouTube Golf YouTube Golf YouTube Golf Follow Oct 29 '25 No Laying Up Podcast: The Incidents of Sergio Garcia | NLU Pod, Ep 1086 # golf # recommendations 3 reactions Comments Add Comment 1 min read No Laying Up Podcast: The Science of Putting with Dr. Sasho MacKenzie | NLU Pod, Ep 1082 YouTube Golf YouTube Golf YouTube Golf Follow Oct 15 '25 No Laying Up Podcast: The Science of Putting with Dr. Sasho MacKenzie | NLU Pod, Ep 1082 # golf # recommendations # lessons 2 reactions Comments Add Comment 1 min read Golf.com: Golf Behind Bars: Inside America’s Most Unlikely Club YouTube Golf YouTube Golf YouTube Golf Follow Oct 16 '25 Golf.com: Golf Behind Bars: Inside America’s Most Unlikely Club # golf # lessons 2 reactions Comments 1 comment 1 min read loading... #discuss Discussion threads targeting the whole community #watercooler Light, and off-topic conversation. 💎 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 Golf Forem — A community of golfers and golfing enthusiasts Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Golf Forem © 2016 - 2026. Where hackers, sticks, weekend warriors, pros, architects and wannabes come together Log in Create account | 2026-01-13T08:47:44 |
https://dev.to/t/tutorial | Tutorial - 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 # tutorial Follow Hide Tutorial is a general purpose tag. We welcome all types of tutorial - code related or not! It's all about learning, and using tutorials to teach others! Create Post submission guidelines Tutorials should teach by example. This can include an interactive component or steps the reader can follow to understand. Older #tutorial posts 1 2 3 4 5 6 7 8 9 … 75 … 2222 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Weather Service Project (Part 2): Building the Interactive Frontend with GitHub Pages or Netlify and JavaScript Daniel Daniel Daniel Follow for Datalaria Jan 13 Weather Service Project (Part 2): Building the Interactive Frontend with GitHub Pages or Netlify and JavaScript # frontend # javascript # tutorial # webdev Comments Add Comment 6 min read How to Handle Stripe and Paystack Webhooks in Next.js (The App Router Way) Esimit Karlgusta Esimit Karlgusta Esimit Karlgusta Follow Jan 13 How to Handle Stripe and Paystack Webhooks in Next.js (The App Router Way) # api # nextjs # security # tutorial 5 reactions Comments Add Comment 2 min read Lessons learned integrating Paddle (Sandbox to Live) & fixing DMARC as a solo dev yongsheng he yongsheng he yongsheng he Follow Jan 13 Lessons learned integrating Paddle (Sandbox to Live) & fixing DMARC as a solo dev # saas # security # startup # tutorial Comments Add Comment 2 min read Software Testing for BFSI Anna Anna Anna Follow Jan 13 Software Testing for BFSI # discuss # tutorial # automation # startup Comments Add Comment 5 min read How to Identify System Design Problems from First Principles Mohammad-Idrees Mohammad-Idrees Mohammad-Idrees Follow Jan 13 How to Identify System Design Problems from First Principles # architecture # interview # systemdesign # tutorial Comments Add Comment 3 min read AWS Is Moving Toward AI Factories, Not One-Off AI Projects Thej Deep Thej Deep Thej Deep Follow Jan 13 AWS Is Moving Toward AI Factories, Not One-Off AI Projects # ai # aws # tutorial # cloudcomputing Comments Add Comment 3 min read Furthest Building You Can Reach: Coding Problem Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 13 Furthest Building You Can Reach: Coding Problem Explained # coding # codingproblem # code # tutorial Comments Add Comment 4 min read I Got Tired Of Crappy Tool Sites, So I Built My Own (120+ Free Dev Tools) Tyler Heinrichs Tyler Heinrichs Tyler Heinrichs Follow Jan 12 I Got Tired Of Crappy Tool Sites, So I Built My Own (120+ Free Dev Tools) # discuss # webdev # tutorial # productivity Comments Add Comment 4 min read Building Interactive Data Visualizations in A2UI Angular: A Complete Guide vishalmysore vishalmysore vishalmysore Follow Jan 12 Building Interactive Data Visualizations in A2UI Angular: A Complete Guide # angular # javascript # tutorial # ui Comments Add Comment 4 min read Building a Multifunctional Discord Bot: A Comprehensive Technical Deep Dive J3ffJessie J3ffJessie J3ffJessie Follow Jan 12 Building a Multifunctional Discord Bot: A Comprehensive Technical Deep Dive # api # architecture # tutorial 1 reaction Comments Add Comment 10 min read Build an Influencer Outreach CRM with Auto-Enrichment Olamide Olaniyan Olamide Olaniyan Olamide Olaniyan Follow Jan 13 Build an Influencer Outreach CRM with Auto-Enrichment # webdev # programming # ai # tutorial Comments Add Comment 14 min read The `/context` Command: X-Ray Vision for Your Tokens Rajesh Royal Rajesh Royal Rajesh Royal Follow Jan 12 The `/context` Command: X-Ray Vision for Your Tokens # tutorial # claudecode # productivity # beginners Comments Add Comment 4 min read Push Claude Code Updates to Your Phone with ntfy Israel Saba Israel Saba Israel Saba Follow Jan 13 Push Claude Code Updates to Your Phone with ntfy # automation # llm # productivity # tutorial Comments Add Comment 2 min read Testing in Rust Aviral Srivastava Aviral Srivastava Aviral Srivastava Follow Jan 13 Testing in Rust # rust # testing # tutorial Comments Add Comment 9 min read Proyecto Weather Service (Parte 2): Construyendo el Frontend Interactivo con GitHub Pages o Netlify y JavaScript Daniel Daniel Daniel Follow for Datalaria Jan 13 Proyecto Weather Service (Parte 2): Construyendo el Frontend Interactivo con GitHub Pages o Netlify y JavaScript # frontend # javascript # spanish # tutorial Comments Add Comment 7 min read n8n: Credential - Atlassian Credentials account codebangkok codebangkok codebangkok Follow Jan 13 n8n: Credential - Atlassian Credentials account # api # automation # tutorial Comments Add Comment 1 min read Stop Random Pod Scheduling: Master Kubernetes Affinity & Anti-Affinity with NGINX (Practical Guide for DevOps & SRE) Srinivasaraju Tangella Srinivasaraju Tangella Srinivasaraju Tangella Follow Jan 13 Stop Random Pod Scheduling: Master Kubernetes Affinity & Anti-Affinity with NGINX (Practical Guide for DevOps & SRE) # devops # kubernetes # performance # tutorial Comments Add Comment 4 min read How to use AI to Increase Organic Traffic to a Shopify Store Alex Alex Alex Follow Jan 12 How to use AI to Increase Organic Traffic to a Shopify Store # shopify # ecommerce # ai # tutorial Comments Add Comment 3 min read Solana Passkeys on the Web (No Extension Required) Fred Fred Fred Follow Jan 12 Solana Passkeys on the Web (No Extension Required) # react # security # tutorial # web3 Comments Add Comment 2 min read Find All Duplicate Elements in an Array (C++) Nithya Dharshini official Nithya Dharshini official Nithya Dharshini official Follow Jan 12 Find All Duplicate Elements in an Array (C++) # programming # beginners # tutorial # cpp 1 reaction Comments Add Comment 1 min read Getting Started with 2D Games Using Pyxel (Part 9): Shooting Bullets Kajiru Kajiru Kajiru Follow Jan 12 Getting Started with 2D Games Using Pyxel (Part 9): Shooting Bullets # python # gamedev # tutorial # pyxel Comments Add Comment 4 min read Build a Prime Number Checker with Python and Tkinter Mate Technologies Mate Technologies Mate Technologies Follow Jan 13 Build a Prime Number Checker with Python and Tkinter # opensource # tutorial # python # primenumberchecker Comments Add Comment 3 min read LAB: ConfigMap & Secret — From Developer Code to DevOps Troubleshooting Aisalkyn Aidarova Aisalkyn Aidarova Aisalkyn Aidarova Follow Jan 12 LAB: ConfigMap & Secret — From Developer Code to DevOps Troubleshooting # devops # kubernetes # security # tutorial 1 reaction Comments Add Comment 6 min read var, let, const: Why JavaScript Needed Three Ways to Declare Variables Razumovsky Razumovsky Razumovsky Follow Jan 11 var, let, const: Why JavaScript Needed Three Ways to Declare Variables # webdev # beginners # javascript # tutorial Comments Add Comment 7 min read PART 1 — StatefulSet + Headless Service + Persistent Storage Aisalkyn Aidarova Aisalkyn Aidarova Aisalkyn Aidarova Follow Jan 12 PART 1 — StatefulSet + Headless Service + Persistent Storage # devops # kubernetes # mysql # tutorial 1 reaction Comments Add Comment 3 min read loading... trending guides/resources How I Built a Graphics Renderer for Node.js Web Development Is Meant to Be Built, Not Watched Como Implementar um Sistema RAG do Zero em Python Introducing Nano Banana Pro: Complete Developer Tutorial Code Reviews: Quality Control or Ego Olympics? Building a Premium New Year 2026 Celebration Site 🎉 Decoding Life One Cell at a Time: A Journey Through Single-Cell RNA Sequencing Testing Angular 21 Components with Vitest: A Complete Guide Compreendendo 'this' no JavaScript Rust Lifetimes Explained Async/Await is finally back in Zig Como Criar um Chatbot com RAG do Zero: Guia Prático com OpenAI e Qdrant Exploring Extension Blocks in .NET 10 Extensões para VSCode Python Registry Pattern: A Clean Alternative to Factory Classes New File-Based Apps in .NET 10: You Can Now Run C# in Just 1 File! Amazon Spring 2026 SDE Internship Interview Guide: OA Patterns & The Ultimate BQ Strategy Qwen Image Models Training - 0 to Hero Level Tutorial - LoRA & Fine Tuning - Base & Edit Model 🧩 How We Solved “Unable to Get Certificate CRL” in Rails: A Debugging Story Solving Git Authentication Failures: "Password authentication is not supported" Error 💎 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:47:44 |
https://parenting.forem.com/t/development | Development - Parenting 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 Parenting Close # development Follow Hide Tracking and discussing physical and cognitive milestones. Create Post Older #development posts 1 2 3 4 5 6 7 8 9 … 75 … 266 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Creating a Safe, Supportive Home Environment for Individuals with IDD Community Living & Care Insights Community Living & Care Insights Community Living & Care Insights Follow Dec 30 '25 Creating a Safe, Supportive Home Environment for Individuals with IDD # development # familylife # mentalhealth Comments Add Comment 6 min read Why the "Why?" Game is the Most Valuable Thing I Do With My Kids Juno Threadborne Juno Threadborne Juno Threadborne Follow Oct 20 '25 Why the "Why?" Game is the Most Valuable Thing I Do With My Kids # newparents # development # communication # learning 19 reactions Comments 2 comments 3 min read Navigating Modern Parenthood: Insights from This Week's Conversations Om Shree Om Shree Om Shree Follow Oct 19 '25 Navigating Modern Parenthood: Insights from This Week's Conversations # discuss # learning # development # mentalhealth 23 reactions Comments 5 comments 5 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Parenting — A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Navigating the chaos and joy of parenting. Log in Create account | 2026-01-13T08:47:44 |
https://elysiajs.com | Elysia - Ergonomic Framework for Humans | ElysiaJS Skip to content ElysiaJS Search Main Navigation Docs Blog Illust Appearance Return to top Are you an LLM? View /llms.txt for optimized Markdown documentation, or /llms-full.txt for full documentation bundle Ergonomic Framework for Humans Backend TypeScript framework with End-to-End Type Safety , formidable speed, and exceptional DX across runtime. Supercharged by Bun Get Started bun create elysia app See why developers love Elysia The first production ready, and most loved Bun framework Trusted by team at Our Principle Design for Humans Our goal is to design an ergonomic, sensible, and productive framework that even beginners can use easily Designed to avoid unnecessary complexity and type complexity for you to focus on building A framework that feels just like JavaScript typescript import { Elysia, file } from 'elysia' new Elysia () . get ( '/' , 'Hello World' ) . get ( '/image' , file ( 'mika.webp' )) . get ( '/stream' , function* () { yield 'Hello' yield 'World' }) . ws ( '/realtime' , { message ( ws , message ) { ws. send ( 'got:' + message) } }) . listen ( 3000 ) Just return A string, number, or complex JSON All we need to do is return File support built-in To send a file or image, just return Nothing more or less Stream response Use yield to stream a response All we need to do is return Data in real-time With µWebSocket built-in Send live data in just 3 lines 21x faster than Express 6x faster than Fastify Elysia Bun 2,454,631 reqs/s Gin Go 676,019 Spring Java 506,087 Fastify Node 415,600 Express Node 113,117 Nest Node 105,064 Measured in requests/second. Result from TechEmpower Benchmark Round 22 (2023-10-17) in PlainText It's all about Single Source of Truth Schema is the only source of truth for your entire server. From request validation, type inference, OpenAPI documentation, client-server communication . Every part of Elysia is design for complete type integrity. Request Validation Elysia validates, and normalize requests against your schema, ensuring that only valid data reaches your handlers. Elysia also infers types directly from your schema , ensuring that your handlers always receive the correct types in both runtime, and type-level. typescript import { Elysia , t } from 'elysia' new Elysia () . put ( '/' , ({ body : { file } }) => file , { body : t . Object ({ file : t . File ({ type : 'image' }) }) }) Advance Type Inference Every part of Elysia is designed to be completely type-safe far more advance type inference than any other frameworks. Elysia also infers type from your schema, provide an auto-completion for models or extends Elysia with your own custom property all while ensuring complete type integrity. index.ts auth.ts typescript import { Elysia } from 'elysia' import { auth } from './auth' new Elysia () . use ( auth ) . get ( '/profile' , ({ user }) => user , { auth : true }) typescript import { Elysia , t } from 'elysia' export const auth = new Elysia () . macro ( 'auth' , { cookie : t . Object ({ ssid : t . String () }), resolve ({ cookie , status }) { if ( ! cookie . ssid . value ) return status ( 401 ) return { user : cookie . ssid . value } } }) Client-Server Communication Elysia can share types between client and server similar to tRPC, ensuring that both sides are always in sync. Taking a step further, Elysia also handle multiple HTTP status and arrange them using discriminated union, allowing you to handle all possible error cases with ease. typescript import { treaty } from '@elysiajs/eden' import type { App } from 'server' const api = treaty < App >( 'api.elysiajs.com' ) const { data } = await api . profile . patch ({ age : 21 }) OpenAPI Documentation Elysia generates OpenAPI documentation from your schema in 1 line . Ensuring your API documentation are always accurate and up-to-date. typescript import { Elysia } from 'elysia' import { openapi } from '@elysiajs/openapi' new Elysia () . use ( openapi ()) Introducing our most powerful feature yet TypeScript to OpenAPI Elysia can generate OpenAPI specifications directly from your TypeScript code without any annotations , without any configuration and CLI running. Allowing you to turn your actual code from any library like Prisma, Drizzle and every TypeScript library into your own API documentation. typescript import { Elysia } from 'elysia' import { openapi, fromTypes } from '@elysiajs/openapi' export const app = new Elysia () . use ( openapi ({ // ↓ Where magic happens references: fromTypes () }) ) Bring your own Validator With support for Standard Schema Elysia offers a robust built-in validation, but you can also bring your favorite validator, like Zod, Valibot, ArkType, Effect and more With seamless support for type inference, and OpenAPI. You will feel right at home . TypeBox Zod Valibot ArkType Effect ts import { Elysia , t } from 'elysia' new Elysia () // Try hover body ↓ . post ( '/user' , ({ body }) => body , { body : t . Object ({ name : t . Literal ( 'SaltyAom' ), age : t . Number (), friends : t . Array ( t . String ()) }) }) ts import { Elysia } from 'elysia' import { z } from 'zod' new Elysia () // Try hover body ↓ . post ( '/user' , ({ body }) => body , { body : z . object ({ name : z . literal ( 'SaltyAom' ), age : z . number (), friends : z . array ( z . string ()) }) }) ts import { Elysia } from 'elysia' import * as v from 'valibot' new Elysia () // Try hover body ↓ . post ( '/user' , ({ body }) => body , { body : v . object ({ name : v . literal ( 'SaltyAom' ), age : v . number (), friends : v . array ( v . string ()) }) }) ts import { Elysia } from 'elysia' import { type } from 'arktype' new Elysia () // Try hover body ↓ . post ( '/user' , ({ body }) => body , { body : type ({ name : '"Elysia"' , age : 'number' , friends : 'string[]' }) }) ts import { Elysia } from 'elysia' import { Schema } from 'effect' new Elysia () // Try hover body ↓ . post ( '/user' , ({ body }) => body , { body : Schema . standardSchemaV1 ( Schema . Struct ({ name : Schema . Literal ( 'Elysia' ), age : Schema . Number , friends : Schema . Array ( Schema . String ) }) ) }) 11.88ms POST /character/:id/chat Playback Request Validation Transaction Upload Sync For DevOps OpenTelemetry Elysia has 1st party support for OpenTelemetry. Instrumentation is built-in, so you can easily monitor your services regardless of the platform. typescript import { treaty } from '@elysiajs/eden' import type { App } from 'server' const api = treaty < App >( 'api.elysiajs.com' ) const { data } = await api . profile . patch ({ age : 21 }) For Frontend End-to-end Type Safety Like tRPC, Elysia provides type-safety from the backend to the frontend without code generation. The interaction between frontend and backend is both type-checked at compile and runtime. Test with Confidence Type safe with auto-completion Elysia provides a type-safe layer to interact with and test your server, from routes to parameters. With auto-completion, you can easily write tests for the server without any hassle. typescript import { treaty } from '@elysiajs/eden' import { app } from './index' import { test , expect } from 'bun:test' const server = treaty ( app ) test ( 'should handle duplicated user' , async () => { const { error } = await server . user . put ( { Argument of type '{ username: string; }' is not assignable to parameter of type '{ username: string; password: string; }'. Property 'password' is missing in type '{ username: string; }' but required in type '{ username: string; password: string; }'. username : 'mika' , } ) expect ( error ?. value ). toEqual ({ success : false , message : 'Username already taken' }) }) Your code, Your Runtime Elysia is optimized for Bun, but not vendor lock-in to Bun Elysia is built on Web-Standard allowing you to run Elysia anywhere What people say about Elysia Aqueel @AqueelMiq Jetfuel on bun at X! @shlomiatar who built the framework has an eye for picking the right tools for the job. Shlomi Atar @shlomiatar also a shoutout to @saltyAom and the phenomenal Elysia js that is powering our server driven UI. Incredible work. htmx.org @htmx_org htmx works great w/ @bunjavascript, @elysiaJS and @tursodatabase btw nuqs @nuqs47ng I’m a Node.js + Fastify diehard, but the Bun + Elysia combo looks very promising 👀 Erwin @Erwin_AI Already using Elysia (+Bun) anywhere I can. Wouldn't want to back to node+express even if you'd pay me a mil. Jarred Sumner @jarredsumner You can use Express with Bun, but often we see people using Elysia, Hono, or Bun.serve() directly. Runyasak Ch. 💚 @runyasak Started using @elysiaJS to create a Discord Bot and found the type system beautifully easy. DX is fantastic and coding is fun! Use @DrizzleORM with PostgreSQL. So much easier than I've used before. ElysiaJS has proved to me that great performance and DX can live together. 😎 Herrington Darkholme @hd_nvim Was introduced to @elysiaJS today and it looks pretty solid. end-to-end type safety/guard/swapper are killer features of the modern web! (and it's fast) scalar.com @scalar so excited to be part of the amazing @elysiaJS community! José Donato 🦋 @josedonato__ handling tables with ~350k rows like it's nothing. Working on allowing @ag_grid server side row model when connecting a custom backend to @openbb_finance Terminal Pro. Backend in @elysiaJS + @bunjsproject. Bewinxed @Bewinxed Elysia single handedly carrying js backends I have been using it almost exclusively for all my projects MikroORM @MikroORM I've been playing a bit with @bunjavascript and @elysiaJS, need to do a few more tweaks before the release, but next version should work more natively with bun when it comes to TS support detection, e.g. the CLI works without ts-node installed. Marc Laventure @MarcLaventure both engineering+monetary contributions are paramount for OSS we proudly sponsor dozens of projects: @elysiaJS @LitestarAPI @honojs @daveshanley @kevin_jahns @MarijnJH & help maintain repos+contribute to OSS at blistering cadence. it's @scalar's ethos to be a catalyst for OSS meabed @Meabed I am building something with Bun + ElysiaJS and the speed and ergonomics are way out of this world!!!! I can't go back to express + node... Bun Hot reload an HTTP server and test runner is instantaneous!!! Elysia is a breath of fresh air + inferred types + openapi + plugins + file handling + ai sdk + typed client.... The dev experience is 100x - if you try you won't ever go back!! haxiom.io @haxiom_io One diff ElysiaJS made in our org is that it makes it easy to refactor fearlessly. You can be pretty certain if things won't work simply because TypeScript will tell you that your types don't match ꜱᴛᴀᴄɪᴀ @stacia__x ElysiaJS was the first framework that truly sparked my interest in JS/TS. I used to avoid it entirely. I usually stick to Python, mostly using FastAPI. When I tried ElysiaJS for the first time (v1.1), I immediately felt it provides an amazing dev experience. Love ElysiaJS 😘 Micky @Rasmic I’m ngl we don’t talk about @elysiaJS enough Because of You Elysia is not owned by an organization , driven by volunteers, and community. Elysia is possible by these awesome sponsors. Gold Sponsors 💛 Jarred Sumner for 2 years San Francisco Compute Company for a year Bun for 4 months CodeRabbit for 5 months Better Auth for 4 months Comp AI for 4 months Mux for 4 days Drizzle ORM for 3 months Silver Sponsors 🤍 Scalar for 2 years Phoomparin Mano for 4 months Generous Sponsors 💞 _typedev for 2 years DOM CHAROENYOS for 2 years Naoki Takahashi for 2 years Khyber Sen for 2 years MeCode for 2 years yoyismee for 2 years Vallaris Maps Platforms for a year Firat Özcan for a year TranspaClean for a year Alex Ozerov for 4 months Siriwat K for 4 months あわわわとーにゅ for 3 months And you Individual Sponsors 💕 Thank you for making Elysia possible We can only develop Elysia full-time thanks to your support. Become a sponsor With love from our community Got more questions? Just Ask! Ask Elysia (AI) Can I use Zod with Elysia? Elysia validates incoming request data (params, query, body, headers, cookies, response) before your handler runs. It ships with a built‑in schema builder (Elysia.t) based on TypeBox, but it also natively supports any “Standard Schema” library – that includes Zod, Valibot, Yup, Joi, ArkType, Effect‑Schema, and many more. Elysia Ergonomic Framework for Humans Speed Top Performance Type Safety Best in class Developer Experience Exceptional OpenAPI Support One of a kind Get Started Elysia in < 5 mins Built with 💖 for Elysia | 2026-01-13T08:47:44 |
https://docs.suprsend.com/docs/whatsapp | Whatsapp 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 Whatsapp Template Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Channel Editors Whatsapp Template OpenAI Open in ChatGPT How to design whatsapp template using form editor. OpenAI Open in ChatGPT This section is a step-by-step guide on how to design and publish WhatsApp notification template. Design template You can design the template with a simple form editor tool. You can add variables with Handlebarsjs language. You can see how the message will look in the preview section on the right side. Once designed, save the WhatsApp template by clicking on the Save Draft button. When you are ready, you can Publish Draft by providing a name to the version. This will create a version in Pending Approval state. WhatsApp requires a template approval process, where every template has to be submitted to WhatsApp for approval, where WhatsApp reviews and either Approves or Rejects the message. SuprSend handles the WhatsApp approval process for you. All you have to do is create a template on SuprSend while following WhatsApp template guidelines , and we’ll send an email to you as soon as WhatsApp approves / rejects the template. Based on the approval status, the published template version’s state will move to Live or Rejected . Once the version goes Live , you can use the template to send messages to your users. WhatsApp fields description Field Description Template Category Category of the template as defined by WhatsApp. Choose the category which is most relevant for your message content. e.g. - if you are sending a message informing the user about his/her doctor appointment, select the category as Appointment Update . In case you are not able to find the relevant category for your message, select Alert Update Type Type of the message template - MEDIA/TEXT . You can select one of the options. Header (Type - TEXT) Header of the message shown in bold in your WhatsApp message Small message text box. You can add up to 60 characters in this field Emojis are not supported in header Header -> Media Type (Type - MEDIA) Media type of the header - Document(.pdf) / Image (.jpg, .png) / Video (.mp4). You can select one the media types based on the type of content that you want to add in the message Header -> Media File URL (Type - MEDIA) Add the Public URL of the document that you want to send. You can add dynamic URL by adding variables in the URL link, like this - http://s3.amazonaws.com/{{url_params}} or \{\{url\_link}} Header -> Document Name (Type - MEDIA) Valid only for media type - Document (.pdf) This is the name of the document that will be visible to your user. Will be shown as “Untitled” if not added. You can add variable in media file as {{file_name}} Body Large message text box. Can add multi-line texts. Use handlebarsjs to add variables. Footer Small message text box. You can add up to 60 characters in this field Variables are not supported in footer Buttons Button type to be added - Call to Action / Quick Reply. Select “None” if you don’t require buttons Action Buttons There are 2 types of action buttons that can be added: 1. Call Phone Number Button - To initiate a Call Action. 2. Visit Website Button - To redirect users to a website. Add the URL where a user will go when they click on this button Only one variable is allowed in “Website URL” at the end of the URL link, like this - www.suprsend.com/{{page}} Quick Reply Buttons You can add up to 3 quick reply buttons to take user input. Variables or emojis are not allowed in quick reply button Vendor Integration Required Please note that to send the WhatsApp, you will need to integrate WhatsApp vendor with SuprSend. Please visit the ‘Vendor Integration Guideline’ section to see vendors list and how to integrate them. How to format WhatsApp messages WhatsApp allows you to format text inside your messages. Use below options to format the text. Other formatting like HTML tags or markdown will not work for formatting the content Text Format Method Description Italic _text_ To italicize your message, place an underscore on both sides of the text Bold *text* To bold your message, place an asterisk on both sides of the text Strikethrough ~text~ To strikethrough your message, place a tilde on both sides of the text Monospace ```text``` To monospace your message, place three backticks on both sides of the text Adding dynamic content in the template There will always be the case where you would require to add dynamic content to a template, so as to personalise it for your users. To achieve this, you can add variables in the template, which will be replaced with the dynamic content at the time of sending the message. You’ll need to pass these while triggering the communication from one of our frontend or backend SDKs. Here is a step-by-step guide on how to add dynamic content in Inbox: 1 Declaring Variables in the global 'Mock data' button If you are at this stage, it is assumed that you have declared the variables along with sample values in the global Mock data button. To see how to declare variables before using them in designing templates, refer to this section in the Templates documentation . 2 Using variables in the templates Once the variables are declared, you can use them while designing the android push template. We support handlebarsjs to add variables in the template. As a general rule, all the variables have to be entered within double curly brackets: {{variable_name}} If you have declared the variables in the global ‘Mock data’ button, then they will come as auto-suggestions when you type a curly bracket { . This will remove the chances of errors like variable mismatch at the time of template rendering. Note that you will be able to enter a variable name even when you have not declared it inside the ‘Variables’ button. To manually enter the variable name, follow the handlerbarsjs guide here . Below is an example of how to enter variables in the template design. For illustration, we are using the same sample variable names that we declared in the ‘Templates’ section: json Copy Ask AI { "array" : [ { "product_name" : "Aldo Sling Bag" , "product_price" : "$50" }, { "product_name" : "Clarles & Keith Women Slipper, Biege, 38UK" , "product_price" : "$39" }, { "product_name" : "RayBan Sunglasses" , "product_price" : "$120" } ], "event" : { "location" : { "city" : "San Francisco" , "state" : "California" }, "order_id" : "11200123" , "first_name" : "Joe" }, "product_page" : "https://www.suprsend.com" } To enter a nested variable, enter in the format {{var1.var2.var3}} . Eg. to refer to city in the example above, you need to enter {{event.location.city}} To refer to an array element, enter in format {{var1.[_index_].var2}}. Eg. to refer to product_name of the first element of the array array , enter \{{array.[0].product_name}} If you have any space in the variable name, enclose it in square bracket {{event.[first name]}} You will be able to see the sample values in the Preview section, as well as in the Live version when you publish a draft. If you cannot see your variable being rendered with the sample value, check one of the following: Make sure you have entered the variable name and the sample value in the Variables button. Make sure you have entered the correct variable name in the template, as per the handlebarsjs guideline. At the time of sending communication, if there is a variable present in the template whose value is not rendered due to mismatch or missing, SuprSend will simply discard the template and not send that particular notification to your user. Please note that the rest of the templates will be sent. Eg. if there is an error in rendering Android Push template, but email template is successfully rendered, Android Push notification will not be triggered, but email notification will be triggered by SuprSend. Was this page helpful? Yes No Suggest edits Raise issue Previous Android Push Template How to design advanced Android Push template with customisation options to send silent, sticky notifications, and more. Next ⌘ I x github linkedin youtube Powered by On this page Design template WhatsApp fields description How to format WhatsApp messages Adding dynamic content in the template | 2026-01-13T08:47:44 |
https://www.youtube.com/watch?v=14nQGlSSGkY | Lorna Mitchell – Working with webhooks - 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":"0xd2729ef7d74c0eb9"}]},{"service":"GFEEDBACK","params":[{"key":"logged_in","value":"0"},{"key":"visitor_data","value":"CgtrY1dZVDJDOGYyayisjZjLBjIKCgJLUhIEGgAgWg%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_fmPxhoPZRjw-PYI7WMcWZc5sFoCsxEqGm4yi6oe208jHRgkussh7BwOcCE59TDtslLKPQ-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","messageRenderer","secondaryResults","lockupViewModel","thumbnailViewModel","thumbnailOverlayBadgeViewModel","thumbnailBadgeViewModel","thumbnailHoverOverlayToggleActionsViewModel","lockupMetadataViewModel","decoratedAvatarViewModel","avatarViewModel","contentMetadataViewModel","sheetViewModel","listViewModel","listItemViewModel","badgeViewModel","continuationItemRenderer","autoplay","playerOverlayRenderer","menuNavigationItemRenderer","watchNextEndScreenRenderer","endScreenVideoRenderer","thumbnailOverlayTimeStatusRenderer","thumbnailOverlayNowPlayingRenderer","playerOverlayAutoplayRenderer","playerOverlayVideoDetailsRenderer","autoplaySwitchButtonRenderer","quickActionsViewModel","decoratedPlayerBarRenderer","multiMarkersPlayerBarRenderer","chapterRenderer","notificationActionRenderer","speedmasterEduViewModel","engagementPanelSectionListRenderer","adsEngagementPanelContentRenderer","engagementPanelTitleHeaderRenderer","chipBarViewModel","chipViewModel","sectionListRenderer","macroMarkersListRenderer","macroMarkersInfoItemRenderer","macroMarkersListItemRenderer","toggleButtonRenderer","structuredDescriptionContentRenderer","videoDescriptionHeaderRenderer","factoidRenderer","viewCountFactoidRenderer","expandableVideoDescriptionBodyRenderer","horizontalCardListRenderer","richListHeaderRenderer","videoDescriptionTranscriptSectionRenderer","videoDescriptionInfocardsSectionRenderer","desktopTopbarRenderer","topbarLogoRenderer","fusionSearchboxRenderer","topbarMenuButtonRenderer","multiPageMenuRenderer","hotkeyDialogRenderer","hotkeyDialogSectionRenderer","hotkeyDialogSectionOptionRenderer","voiceSearchDialogRenderer","cinematicContainerRenderer"]},"ytConfigData":{"visitorData":"CgtrY1dZVDJDOGYyayisjZjLBjIKCgJLUhIEGgAgWg%3D%3D","rootVisualElementType":3832},"webPrefetchData":{"navigationEndpoints":[{"clickTrackingParams":"CAAQg2ciEwjimM_akIiSAxWWTA8CHcECNSsyDHJlbGF0ZWQtYXV0b0jGtMikpYP0xNcBmgEFCAMQ-B3KAQSfLcp2","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=ZATfsy9wOG4\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"ZATfsy9wOG4","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}},{"clickTrackingParams":"CAAQg2ciEwjimM_akIiSAxWWTA8CHcECNSsyDHJlbGF0ZWQtYXV0b0jGtMikpYP0xNcBmgEFCAMQ-B3KAQSfLcp2","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=ZATfsy9wOG4\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"ZATfsy9wOG4","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}},{"clickTrackingParams":"CAAQg2ciEwjimM_akIiSAxWWTA8CHcECNSsyDHJlbGF0ZWQtYXV0b0jGtMikpYP0xNcBmgEFCAMQ-B3KAQSfLcp2","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=ZATfsy9wOG4\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"ZATfsy9wOG4","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}}]},"hasDecorated":true}},"contents":{"twoColumnWatchNextResults":{"results":{"results":{"contents":[{"videoPrimaryInfoRenderer":{"title":{"runs":[{"text":"Lorna Mitchell – Working with webhooks"}]},"viewCount":{"videoViewCountRenderer":{"viewCount":{"simpleText":"조회수 1,055회"},"shortViewCount":{"simpleText":"조회수 1천회"},"originalViewCount":"0"}},"videoActions":{"menuRenderer":{"items":[{"menuServiceItemRenderer":{"text":{"runs":[{"text":"신고"}]},"icon":{"iconType":"FLAG"},"serviceEndpoint":{"clickTrackingParams":"CPMCEMyrARgAIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","showEngagementPanelEndpoint":{"identifier":{"tag":"PAabuse_report"},"globalConfiguration":{"params":"qgdxCAESCzE0blFHbFNTR2tZGmBFZ3N4Tkc1UlIyeFRVMGRyV1VBQldBQjRCWklCTWdvd0VpNW9kSFJ3Y3pvdkwya3VlWFJwYldjdVkyOXRMM1pwTHpFMGJsRkhiRk5UUjJ0WkwyUmxabUYxYkhRdWFuQm4%3D"},"engagementPanelPresentationConfigs":{"engagementPanelPopupPresentationConfig":{"popupType":"PANEL_POPUP_TYPE_DIALOG"}}}},"trackingParams":"CPMCEMyrARgAIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}}],"trackingParams":"CPMCEMyrARgAIhMI4pjP2pCIkgMVlkwPAh3BAjUr","topLevelButtons":[{"segmentedLikeDislikeButtonViewModel":{"likeButtonViewModel":{"likeButtonViewModel":{"toggleButtonViewModel":{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"LIKE","title":"좋아요","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CP8CEKVBIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},{"innertubeCommand":{"clickTrackingParams":"CP8CEKVBIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","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":"CIADEPqGBCITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","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":"CIADEPqGBCITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/like"}},"likeEndpoint":{"status":"LIKE","target":{"videoId":"14nQGlSSGkY"},"likeParams":"Cg0KCzE0blFHbFNTR2tZIAAyDAisjZjLBhCPk425Aw%3D%3D"}},"idamTag":"66426"}},"trackingParams":"CIADEPqGBCITCOKYz9qQiJIDFZZMDwIdwQI1Kw=="}}}}}}}]}},"accessibilityText":"좋아요","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CP8CEKVBIhMI4pjP2pCIkgMVlkwPAh3BAjUr","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":"좋아요","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CP4CEKVBIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},{"innertubeCommand":{"clickTrackingParams":"CP4CEKVBIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/removelike"}},"likeEndpoint":{"status":"INDIFFERENT","target":{"videoId":"14nQGlSSGkY"},"removeLikeParams":"Cg0KCzE0blFHbFNTR2tZGAAqDAisjZjLBhDx9o25Aw%3D%3D"}}}]}},"accessibilityText":"좋아요","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CP4CEKVBIhMI4pjP2pCIkgMVlkwPAh3BAjUr","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.like.button","tooltip":"좋아요 취소"}},"identifier":"watch-like","trackingParams":"CPMCEMyrARgAIhMI4pjP2pCIkgMVlkwPAh3BAjUr","isTogglingDisabled":true}},"likeStatusEntityKey":"EgsxNG5RR2xTU0drWSA-KAE%3D","likeStatusEntity":{"key":"EgsxNG5RR2xTU0drWSA-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":"CPwCEKiPCSITCOKYz9qQiJIDFZZMDwIdwQI1Kw=="}},{"innertubeCommand":{"clickTrackingParams":"CPwCEKiPCSITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","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":"CP0CEPmGBCITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","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":"CP0CEPmGBCITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/dislike"}},"likeEndpoint":{"status":"DISLIKE","target":{"videoId":"14nQGlSSGkY"},"dislikeParams":"Cg0KCzE0blFHbFNTR2tZEAAiDAisjZjLBhDVsI-5Aw%3D%3D"}},"idamTag":"66425"}},"trackingParams":"CP0CEPmGBCITCOKYz9qQiJIDFZZMDwIdwQI1Kw=="}}}}}}}]}},"accessibilityText":"동영상에 싫어요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CPwCEKiPCSITCOKYz9qQiJIDFZZMDwIdwQI1Kw==","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":"CPsCEKiPCSITCOKYz9qQiJIDFZZMDwIdwQI1Kw=="}},{"innertubeCommand":{"clickTrackingParams":"CPsCEKiPCSITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/removelike"}},"likeEndpoint":{"status":"INDIFFERENT","target":{"videoId":"14nQGlSSGkY"},"removeLikeParams":"Cg0KCzE0blFHbFNTR2tZGAAqDAisjZjLBhCV0Y-5Aw%3D%3D"}}}]}},"accessibilityText":"동영상에 싫어요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CPsCEKiPCSITCOKYz9qQiJIDFZZMDwIdwQI1Kw==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.dislike.button","tooltip":"이 동영상이 마음에 들지 않습니다."}},"trackingParams":"CPMCEMyrARgAIhMI4pjP2pCIkgMVlkwPAh3BAjUr","isTogglingDisabled":true}},"dislikeEntityKey":"EgsxNG5RR2xTU0drWSA-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":"EgsxNG5RR2xTU0drWSD8AygB"}},{"buttonViewModel":{"iconName":"SHARE","title":"공유","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CPkCEOWWARgDIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},{"innertubeCommand":{"clickTrackingParams":"CPkCEOWWARgDIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/share/get_share_panel"}},"shareEntityServiceEndpoint":{"serializedShareEntity":"CgsxNG5RR2xTU0drWaABAQ%3D%3D","commands":[{"clickTrackingParams":"CPkCEOWWARgDIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","openPopupAction":{"popup":{"unifiedSharePanelRenderer":{"trackingParams":"CPoCEI5iIhMI4pjP2pCIkgMVlkwPAh3BAjUr","showLoadingSpinner":true}},"popupType":"DIALOG","beReused":true}}]}}}]}},"accessibilityText":"공유","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CPkCEOWWARgDIhMI4pjP2pCIkgMVlkwPAh3BAjUr","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":"CPcCEOuQCSITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","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":"CPgCEPuGBCITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","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%253D14nQGlSSGkY\u0026hl=ko\u0026ec=66427","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CPgCEPuGBCITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=14nQGlSSGkY","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"14nQGlSSGkY","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr7---sn-ab02a0nfpgxapox-bh2ed.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=d789d01a54921a46\u0026ip=1.208.108.242\u0026initcwndbps=3931250\u0026mt=1768293662\u0026oweuc="}}}}},"idamTag":"66427"}},"trackingParams":"CPgCEPuGBCITCOKYz9qQiJIDFZZMDwIdwQI1Kw=="}}}}}},"trackingParams":"CPcCEOuQCSITCOKYz9qQiJIDFZZMDwIdwQI1Kw=="}},"topLevelButton":{"buttonViewModel":{"iconName":"PLAYLIST_ADD","title":"저장","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CPUCEOuQCSITCOKYz9qQiJIDFZZMDwIdwQI1Kw=="}},{"innertubeCommand":{"clickTrackingParams":"CPUCEOuQCSITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","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":"CPYCEPuGBCITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","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%253D14nQGlSSGkY\u0026hl=ko\u0026ec=66427","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CPYCEPuGBCITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=14nQGlSSGkY","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"14nQGlSSGkY","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr7---sn-ab02a0nfpgxapox-bh2ed.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=d789d01a54921a46\u0026ip=1.208.108.242\u0026initcwndbps=3931250\u0026mt=1768293662\u0026oweuc="}}}}},"idamTag":"66427"}},"trackingParams":"CPYCEPuGBCITCOKYz9qQiJIDFZZMDwIdwQI1Kw=="}}}}}}}]}},"accessibilityText":"재생목록에 저장","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CPUCEOuQCSITCOKYz9qQiJIDFZZMDwIdwQI1Kw==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","tooltip":"저장"}}}}]}},"trackingParams":"CPMCEMyrARgAIhMI4pjP2pCIkgMVlkwPAh3BAjUr","superTitleLink":{"runs":[{"text":"BARCELONA","navigationEndpoint":{"clickTrackingParams":"CPQCEPXbBhgAIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"url":"/results?search_query=Barcelona\u0026sp=EiG4AQHCARtDaElKNVRDT2NSYVlwQklSQ21aSFR6MzdzRVE%253D","webPageType":"WEB_PAGE_TYPE_SEARCH","rootVe":4724}},"searchEndpoint":{"query":"Barcelona","params":"EiG4AQHCARtDaElKNVRDT2NSYVlwQklSQ21aSFR6MzdzRVE%3D"}},"loggingDirectives":{"trackingParams":"CPQCEPXbBhgAIhMI4pjP2pCIkgMVlkwPAh3BAjUr","visibility":{"types":"12"}}}],"accessibility":{"accessibilityData":{"label":"Barcelona 위치정보 태그가 지정된 동영상을 찾는 지역 제한 검색 링크"}}},"superTitleIcon":{"iconType":"LOCATION_PIN"},"dateText":{"simpleText":"2019. 12. 10."},"relativeDateText":{"accessibility":{"accessibilityData":{"label":"6년 전"}},"simpleText":"6년 전"}}},{"videoSecondaryInfoRenderer":{"owner":{"videoOwnerRenderer":{"thumbnail":{"thumbnails":[{"url":"https://yt3.ggpht.com/ytc/AIdro_lFz5LkBAT75AJj0OOV-UXdFZt2e9op3aKeAa5he8cdvQ=s48-c-k-c0x00ffffff-no-rj","width":48,"height":48},{"url":"https://yt3.ggpht.com/ytc/AIdro_lFz5LkBAT75AJj0OOV-UXdFZt2e9op3aKeAa5he8cdvQ=s88-c-k-c0x00ffffff-no-rj","width":88,"height":88},{"url":"https://yt3.ggpht.com/ytc/AIdro_lFz5LkBAT75AJj0OOV-UXdFZt2e9op3aKeAa5he8cdvQ=s176-c-k-c0x00ffffff-no-rj","width":176,"height":176}]},"title":{"runs":[{"text":"PHP Barcelona","navigationEndpoint":{"clickTrackingParams":"CPICEOE5IhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"url":"/@phpbarcelona3170","webPageType":"WEB_PAGE_TYPE_CHANNEL","rootVe":3611,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"UCBqwZ_Nvu9gSyB3VP4p1wcA","canonicalBaseUrl":"/@phpbarcelona3170"}}}]},"subscriptionButton":{"type":"FREE"},"navigationEndpoint":{"clickTrackingParams":"CPICEOE5IhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"url":"/@phpbarcelona3170","webPageType":"WEB_PAGE_TYPE_CHANNEL","rootVe":3611,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"UCBqwZ_Nvu9gSyB3VP4p1wcA","canonicalBaseUrl":"/@phpbarcelona3170"}},"subscriberCountText":{"accessibility":{"accessibilityData":{"label":"구독자 1.16천명"}},"simpleText":"구독자 1.16천명"},"trackingParams":"CPICEOE5IhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},"subscribeButton":{"subscribeButtonRenderer":{"buttonText":{"runs":[{"text":"구독"}]},"subscribed":false,"enabled":true,"type":"FREE","channelId":"UCBqwZ_Nvu9gSyB3VP4p1wcA","showPreferences":false,"subscribedButtonText":{"runs":[{"text":"구독중"}]},"unsubscribedButtonText":{"runs":[{"text":"구독"}]},"trackingParams":"COQCEJsrIhMI4pjP2pCIkgMVlkwPAh3BAjUrKPgdMgV3YXRjaA==","unsubscribeButtonText":{"runs":[{"text":"구독 취소"}]},"subscribeAccessibility":{"accessibilityData":{"label":"PHP Barcelona을(를) 구독합니다."}},"unsubscribeAccessibility":{"accessibilityData":{"label":"PHP Barcelona을(를) 구독 취소합니다."}},"notificationPreferenceButton":{"subscriptionNotificationToggleButtonRenderer":{"states":[{"stateId":3,"nextStateId":3,"state":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"icon":{"iconType":"NOTIFICATIONS_NONE"},"accessibility":{"label":"현재 설정은 맞춤설정 알림 수신입니다. PHP Barcelona 채널의 알림 설정을 변경하려면 탭하세요."},"trackingParams":"CPECEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","accessibilityData":{"accessibilityData":{"label":"현재 설정은 맞춤설정 알림 수신입니다. PHP Barcelona 채널의 알림 설정을 변경하려면 탭하세요."}}}}},{"stateId":0,"nextStateId":0,"state":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"icon":{"iconType":"NOTIFICATIONS_OFF"},"accessibility":{"label":"현재 설정은 알림 수신 안함입니다. PHP Barcelona 채널의 알림 설정을 변경하려면 탭하세요."},"trackingParams":"CPACEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","accessibilityData":{"accessibilityData":{"label":"현재 설정은 알림 수신 안함입니다. PHP Barcelona 채널의 알림 설정을 변경하려면 탭하세요."}}}}}],"currentStateId":3,"trackingParams":"COkCEJf5ASITCOKYz9qQiJIDFZZMDwIdwQI1Kw==","command":{"clickTrackingParams":"COkCEJf5ASITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","commandExecutorCommand":{"commands":[{"clickTrackingParams":"COkCEJf5ASITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","openPopupAction":{"popup":{"menuPopupRenderer":{"items":[{"menuServiceItemRenderer":{"text":{"simpleText":"맞춤설정"},"icon":{"iconType":"NOTIFICATIONS_NONE"},"serviceEndpoint":{"clickTrackingParams":"CO8CEOy1BBgDIhMI4pjP2pCIkgMVlkwPAh3BAjUrMhJQUkVGRVJFTkNFX0RFRkFVTFTKAQSfLcp2","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/notification/modify_channel_preference"}},"modifyChannelNotificationPreferenceEndpoint":{"params":"ChhVQ0Jxd1pfTnZ1OWdTeUIzVlA0cDF3Y0ESAggBGAAgBFITCgIIAxILMTRuUUdsU1NHa1kYAA%3D%3D"}},"trackingParams":"CO8CEOy1BBgDIhMI4pjP2pCIkgMVlkwPAh3BAjUr","isSelected":true}},{"menuServiceItemRenderer":{"text":{"simpleText":"없음"},"icon":{"iconType":"NOTIFICATIONS_OFF"},"serviceEndpoint":{"clickTrackingParams":"CO4CEO21BBgEIhMI4pjP2pCIkgMVlkwPAh3BAjUrMhtQUkVGRVJFTkNFX05PX05PVElGSUNBVElPTlPKAQSfLcp2","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/notification/modify_channel_preference"}},"modifyChannelNotificationPreferenceEndpoint":{"params":"ChhVQ0Jxd1pfTnZ1OWdTeUIzVlA0cDF3Y0ESAggDGAAgBFITCgIIAxILMTRuUUdsU1NHa1kYAA%3D%3D"}},"trackingParams":"CO4CEO21BBgEIhMI4pjP2pCIkgMVlkwPAh3BAjUr","isSelected":false}},{"menuServiceItemRenderer":{"text":{"runs":[{"text":"구독 취소"}]},"icon":{"iconType":"PERSON_MINUS"},"serviceEndpoint":{"clickTrackingParams":"COoCENuLChgFIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"COoCENuLChgFIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","openPopupAction":{"popup":{"confirmDialogRenderer":{"trackingParams":"COsCEMY4IhMI4pjP2pCIkgMVlkwPAh3BAjUr","dialogMessages":[{"runs":[{"text":"PHP Barcelona"},{"text":" 구독을 취소하시겠습니까?"}]}],"confirmButton":{"buttonRenderer":{"style":"STYLE_BLUE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"구독 취소"}]},"serviceEndpoint":{"clickTrackingParams":"CO0CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrMgV3YXRjaMoBBJ8tynY=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/unsubscribe"}},"unsubscribeEndpoint":{"channelIds":["UCBqwZ_Nvu9gSyB3VP4p1wcA"],"params":"CgIIAxILMTRuUUdsU1NHa1kYAA%3D%3D"}},"accessibility":{"label":"구독 취소"},"trackingParams":"CO0CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},"cancelButton":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"취소"}]},"accessibility":{"label":"취소"},"trackingParams":"COwCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},"primaryIsCancel":false}},"popupType":"DIALOG"}}]}},"trackingParams":"COoCENuLChgFIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}}]}},"popupType":"DROPDOWN"}}]}},"targetId":"notification-bell","secondaryIcon":{"iconType":"EXPAND_MORE"}}},"targetId":"watch-subscribe","signInEndpoint":{"clickTrackingParams":"COQCEJsrIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","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":"COgCEP2GBCITCOKYz9qQiJIDFZZMDwIdwQI1KzIJc3Vic2NyaWJlygEEny3Kdg==","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%253D14nQGlSSGkY%26continue_action%3DQUFFLUhqbVQ4S0o4WnVCbThyazA0bFY2TGRkTXREOGtNZ3xBQ3Jtc0tuRDVqOUN6TTFNWnVGcVNiSUJiOVh3cU5YNTVhQkFCc0Q4cENweVJHeERWZ3J3aWVSdHdHdmRaOTdmRlVDY2xyM0Q3aTU2bmZzaUtpLUpZZV9mRzktZ0lfWlFxTzJVRWdjWXFFamhtMnhyYUctZWl3b3B6VWY3SWxrS0F2bV9TREJiY2tlemJNMmtRV0JSMml4bVRORzkwbC1qLXdPeDlVNXpNdkhtNnozNXlDVUJLOEVDMnJvZ25zRGQzZGM1Mlc0MXRjdUU\u0026hl=ko\u0026ec=66429","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"COgCEP2GBCITCOKYz9qQiJIDFZZMDwIdwQI1K8oBBJ8tynY=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=14nQGlSSGkY","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"14nQGlSSGkY","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr7---sn-ab02a0nfpgxapox-bh2ed.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=d789d01a54921a46\u0026ip=1.208.108.242\u0026initcwndbps=3931250\u0026mt=1768293662\u0026oweuc="}}}}},"continueAction":"QUFFLUhqbVQ4S0o4WnVCbThyazA0bFY2TGRkTXREOGtNZ3xBQ3Jtc0tuRDVqOUN6TTFNWnVGcVNiSUJiOVh3cU5YNTVhQkFCc0Q4cENweVJHeERWZ3J3aWVSdHdHdmRaOTdmRlVDY2xyM0Q3aTU2bmZzaUtpLUpZZV9mRzktZ0lfWlFxTzJVRWdjWXFFamhtMnhyYUctZWl3b3B6VWY3SWxrS0F2bV9TREJiY2tlemJNMmtRV0JSMml4bVRORzkwbC1qLXdPeDlVNXpNdkhtNnozNXlDVUJLOEVDMnJvZ25zRGQzZGM1Mlc0MXRjdUU","idamTag":"66429"}},"trackingParams":"COgCEP2GBCITCOKYz9qQiJIDFZZMDwIdwQI1Kw=="}}}}}},"subscribedEntityKey":"EhhVQ0Jxd1pfTnZ1OWdTeUIzVlA0cDF3Y0EgMygB","onSubscribeEndpoints":[{"clickTrackingParams":"COQCEJsrIhMI4pjP2pCIkgMVlkwPAh3BAjUrKPgdMgV3YXRjaMoBBJ8tynY=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/subscribe"}},"subscribeEndpoint":{"channelIds":["UCBqwZ_Nvu9gSyB3VP4p1wcA"],"params":"EgIIAxgAIgsxNG5RR2xTU0drWQ%3D%3D"}}],"onUnsubscribeEndpoints":[{"clickTrackingParams":"COQCEJsrIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"COQCEJsrIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","openPopupAction":{"popup":{"confirmDialogRenderer":{"trackingParams":"COUCEMY4IhMI4pjP2pCIkgMVlkwPAh3BAjUr","dialogMessages":[{"runs":[{"text":"PHP Barcelona"},{"text":" 구독을 취소하시겠습니까?"}]}],"confirmButton":{"buttonRenderer":{"style":"STYLE_BLUE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"구독 취소"}]},"serviceEndpoint":{"clickTrackingParams":"COcCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrKPgdMgV3YXRjaMoBBJ8tynY=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/unsubscribe"}},"unsubscribeEndpoint":{"channelIds":["UCBqwZ_Nvu9gSyB3VP4p1wcA"],"params":"CgIIAxILMTRuUUdsU1NHa1kYAA%3D%3D"}},"accessibility":{"label":"구독 취소"},"trackingParams":"COcCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},"cancelButton":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"취소"}]},"accessibility":{"label":"취소"},"trackingParams":"COYCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},"primaryIsCancel":false}},"popupType":"DIALOG"}}]}}]}},"metadataRowContainer":{"metadataRowContainerRenderer":{"collapsedItemCount":0,"trackingParams":"COMCEM2rARgBIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},"showMoreText":{"simpleText":"...더보기"},"showLessText":{"simpleText":"간략히"},"trackingParams":"COMCEM2rARgBIhMI4pjP2pCIkgMVlkwPAh3BAjUr","defaultExpanded":false,"descriptionCollapsedLines":3,"showMoreCommand":{"clickTrackingParams":"COMCEM2rARgBIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandExecutorCommand":{"commands":[{"clickTrackingParams":"COMCEM2rARgBIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","changeEngagementPanelVisibilityAction":{"targetId":"engagement-panel-structured-description","visibility":"ENGAGEMENT_PANEL_VISIBILITY_EXPANDED"}},{"clickTrackingParams":"COMCEM2rARgBIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","scrollToEngagementPanelCommand":{"targetId":"engagement-panel-structured-description"}}]}},"showLessCommand":{"clickTrackingParams":"COMCEM2rARgBIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","changeEngagementPanelVisibilityAction":{"targetId":"engagement-panel-structured-description","visibility":"ENGAGEMENT_PANEL_VISIBILITY_HIDDEN"}},"attributedDescription":{"content":"In an increasingly connected world, APIs are key to great tools and effective workflows.\n\nWhat is better than an API? A webhook of course! Webhooks are a key building block of a modern application, allowing systems to exchange data in response to events.\n\nThis session covers the basic theory of webhooks and shows some examples of how to handle them in your own applications. We'll also talk about when webhooks are a helpful design choice, and some pitfalls to look out for when you're working with them!\n\nThis session is recommended for anyone interested in teaching their applications to play nicely with others.","styleRuns":[{"startIndex":0,"length":616,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"}]},"headerRuns":[{"startIndex":0,"length":616,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"}]}},{"compositeVideoPrimaryInfoRenderer":{}},{"itemSectionRenderer":{"contents":[{"messageRenderer":{"text":{"runs":[{"text":"댓글이 사용 중지되었습니다. "},{"text":"자세히 알아보기","navigationEndpoint":{"clickTrackingParams":"COICEJY7GAAiEwjimM_akIiSAxWWTA8CHcECNSvKAQSfLcp2","commandMetadata":{"webCommandMetadata":{"url":"https://support.google.com/youtube/answer/9706180?hl=ko","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://support.google.com/youtube/answer/9706180?hl=ko"}}}]},"trackingParams":"COICEJY7GAAiEwjimM_akIiSAxWWTA8CHcECNSs="}}],"trackingParams":"COECELsvGAMiEwjimM_akIiSAxWWTA8CHcECNSs=","sectionIdentifier":"comment-item-section"}}],"trackingParams":"COACELovIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},"secondaryResults":{"secondaryResults":{"results":[{"lockupViewModel":{"contentImage":{"thumbnailViewModel":{"image":{"sources":[{"url":"https://i.ytimg.com/vi/ZATfsy9wOG4/hqdefault.jpg?sqp=-oaymwEiCKgBEF5IWvKriqkDFQgBFQAAAAAYASUAAMhCPQCAokN4AQ==\u0026rs=AOn4CLATsoj5nFIUwzTRJRmGEIO5d4AADQ","width":168,"height":94},{"url":"https://i.ytimg.com/vi/ZATfsy9wOG4/hqdefault.jpg?sqp=-oaymwEjCNACELwBSFryq4qpAxUIARUAAAAAGAElAADIQj0AgKJDeAE=\u0026rs=AOn4CLBhxpHOx6xgIhiMheWVy4DwG2bjng","width":336,"height":188}]},"overlays":[{"thumbnailOverlayBadgeViewModel":{"thumbnailBadges":[{"thumbnailBadgeViewModel":{"text":"49:01","badgeStyle":"THUMBNAIL_OVERLAY_BADGE_STYLE_DEFAULT","animationActivationTargetId":"ZATfsy9wOG4","animationActivationEntityKey":"Eh8veW91dHViZS9hcHAvd2F0Y2gvcGxheWVyX3N0YXRlIMMCKAE%3D","lottieData":{"url":"https://www.gstatic.com/youtube/img/lottie/audio_indicator/audio_indicator_v2.json","settings":{"loop":true,"autoplay":true}},"animatedText":"지금 재생 중","animationActivationEntitySelectorType":"THUMBNAIL_BADGE_ANIMATION_ENTITY_SELECTOR_TYPE_PLAYER_STATE","rendererContext":{"accessibilityContext":{"label":"49분 1초"}}}}],"position":"THUMBNAIL_OVERLAY_BADGE_POSITION_BOTTOM_END"}},{"thumbnailHoverOverlayToggleActionsViewModel":{"buttons":[{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"WATCH_LATER","onTap":{"innertubeCommand":{"clickTrackingParams":"CN8CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/browse/edit_playlist"}},"playlistEditEndpoint":{"playlistId":"WL","actions":[{"addedVideoId":"ZATfsy9wOG4","action":"ACTION_ADD_VIDEO"}]}}},"accessibilityText":"나중에 볼 동영상","style":"BUTTON_VIEW_MODEL_STYLE_OVERLAY_DARK","trackingParams":"CN8CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_COMPACT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE"}},"toggledButtonViewModel":{"buttonViewModel":{"iconName":"CHECK","onTap":{"innertubeCommand":{"clickTrackingParams":"CN4CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/browse/edit_playlist"}},"playlistEditEndpoint":{"playlistId":"WL","actions":[{"action":"ACTION_REMOVE_VIDEO_BY_VIDEO_ID","removedVideoId":"ZATfsy9wOG4"}]}}},"accessibilityText":"추가됨","style":"BUTTON_VIEW_MODEL_STYLE_OVERLAY_DARK","trackingParams":"CN4CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_COMPACT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE"}},"isToggled":false,"trackingParams":"CNcCENTEDBgAIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"ADD_TO_QUEUE_TAIL","onTap":{"innertubeCommand":{"clickTrackingParams":"CN0CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CN0CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","addToPlaylistCommand":{"openMiniplayer":false,"openListPanel":true,"videoId":"ZATfsy9wOG4","listType":"PLAYLIST_EDIT_LIST_TYPE_QUEUE","onCreateListCommand":{"clickTrackingParams":"CN0CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/playlist/create"}},"createPlaylistServiceEndpoint":{"videoIds":["ZATfsy9wOG4"],"params":"CAQ%3D"}},"videoIds":["ZATfsy9wOG4"],"videoCommand":{"clickTrackingParams":"CN0CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=ZATfsy9wOG4","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"ZATfsy9wOG4","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr3---sn-ab02a0nfpgxapox-bh2zr.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=6404dfb32f70386e\u0026ip=1.208.108.242\u0026initcwndbps=3965000\u0026mt=1768293662\u0026oweuc="}}}}}}}]}}},"accessibilityText":"현재 재생목록에 추가","style":"BUTTON_VIEW_MODEL_STYLE_OVERLAY_DARK","trackingParams":"CN0CEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_COMPACT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE"}},"toggledButtonViewModel":{"buttonViewModel":{"iconName":"CHECK","accessibilityText":"추가됨","style":"BUTTON_VIEW_MODEL_STYLE_OVERLAY_DARK","trackingParams":"CNwCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_COMPACT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE"}},"isToggled":false,"trackingParams":"CNcCENTEDBgAIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}}]}}]}},"metadata":{"lockupMetadataViewModel":{"title":{"content":"Albert Casademont – Supercharge your apps with ReactPHP \u0026 PHP-PM"},"image":{"decoratedAvatarViewModel":{"avatar":{"avatarViewModel":{"image":{"sources":[{"url":"https://yt3.ggpht.com/ytc/AIdro_lFz5LkBAT75AJj0OOV-UXdFZt2e9op3aKeAa5he8cdvQ=s68-c-k-c0x00ffffff-no-rj","width":68,"height":68}]},"avatarImageSize":"AVATAR_SIZE_M"}},"a11yLabel":"PHP Barcelona 채널로 이동","rendererContext":{"commandContext":{"onTap":{"innertubeCommand":{"clickTrackingParams":"CNcCENTEDBgAIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"url":"/@phpbarcelona3170","webPageType":"WEB_PAGE_TYPE_CHANNEL","rootVe":3611,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"UCBqwZ_Nvu9gSyB3VP4p1wcA","canonicalBaseUrl":"/@phpbarcelona3170"}}}}}}},"metadata":{"contentMetadataViewModel":{"metadataRows":[{"metadataParts":[{"text":{"content":"PHP Barcelona"}}]},{"metadataParts":[{"text":{"content":"조회수 1.5천회"}},{"text":{"content":"6년 전"}}]}],"delimiter":" • "}},"menuButton":{"buttonViewModel":{"iconName":"MORE_VERT","onTap":{"innertubeCommand":{"clickTrackingParams":"CNgCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","showSheetCommand":{"panelLoadingStrategy":{"inlineContent":{"sheetViewModel":{"content":{"listViewModel":{"listItems":[{"listItemViewModel":{"title":{"content":"현재 재생목록에 추가"},"leadingImage":{"sources":[{"clientResource":{"imageName":"ADD_TO_QUEUE_TAIL"}}]},"rendererContext":{"loggingContext":{"loggingDirectives":{"trackingParams":"CNsCEP6YBBgAIhMI4pjP2pCIkgMVlkwPAh3BAjUr","visibility":{"types":"12"}}},"commandContext":{"onTap":{"innertubeCommand":{"clickTrackingParams":"CNsCEP6YBBgAIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CNsCEP6YBBgAIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","addToPlaylistCommand":{"openMiniplayer":true,"videoId":"ZATfsy9wOG4","listType":"PLAYLIST_EDIT_LIST_TYPE_QUEUE","onCreateListCommand":{"clickTrackingParams":"CNsCEP6YBBgAIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/playlist/create"}},"createPlaylistServiceEndpoint":{"videoIds":["ZATfsy9wOG4"],"params":"CAQ%3D"}},"videoIds":["ZATfsy9wOG4"],"videoCommand":{"clickTrackingParams":"CNsCEP6YBBgAIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=ZATfsy9wOG4","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"ZATfsy9wOG4","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr3---sn-ab02a0nfpgxapox-bh2zr.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=6404dfb32f70386e\u0026ip=1.208.108.242\u0026initcwndbps=3965000\u0026mt=1768293662\u0026oweuc="}}}}}}}]}}}}}}},{"listItemViewModel":{"title":{"content":"재생목록에 저장"},"leadingImage":{"sources":[{"clientResource":{"imageName":"BOOKMARK_BORDER"}}]},"rendererContext":{"loggingContext":{"loggingDirectives":{"trackingParams":"CNoCEJSsCRgBIhMI4pjP2pCIkgMVlkwPAh3BAjUr","visibility":{"types":"12"}}},"commandContext":{"onTap":{"innertubeCommand":{"clickTrackingParams":"CNoCEJSsCRgBIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","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","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CNoCEJSsCRgBIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","showSheetCommand":{"panelLoadingStrategy":{"requestTemplate":{"panelId":"PAadd_to_playlist","params":"-gYNCgtaQVRmc3k5d09HNA%3D%3D"}}}}}}}}}}},{"listItemViewModel":{"title":{"content":"공유"},"leadingImage":{"sources":[{"clientResource":{"imageName":"SHARE"}}]},"rendererContext":{"commandContext":{"onTap":{"innertubeCommand":{"clickTrackingParams":"CNgCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/share/get_share_panel"}},"shareEntityServiceEndpoint":{"serializedShareEntity":"CgtaQVRmc3k5d09HNA%3D%3D","commands":[{"clickTrackingParams":"CNgCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","openPopupAction":{"popup":{"unifiedSharePanelRenderer":{"trackingParams":"CNkCEI5iIhMI4pjP2pCIkgMVlkwPAh3BAjUr","showLoadingSpinner":true}},"popupType":"DIALOG","beReused":true}}]}}}}}}}]}}}}}}}},"accessibilityText":"추가 작업","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CNgCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","type":"BUTTON_VIEW_MODEL_TYPE_TEXT","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE"}}}},"contentId":"ZATfsy9wOG4","contentType":"LOCKUP_CONTENT_TYPE_VIDEO","rendererContext":{"loggingContext":{"loggingDirectives":{"trackingParams":"CNcCENTEDBgAIhMI4pjP2pCIkgMVlkwPAh3BAjUr","visibility":{"types":"12"}}},"accessibilityContext":{"label":"Albert Casademont – Supercharge your apps with ReactPHP \u0026 PHP-PM 49분"},"commandContext":{"onTap":{"innertubeCommand":{"clickTrackingParams":"CNcCENTEDBgAIhMI4pjP2pCIkgMVlkwPAh3BAjUrMgdyZWxhdGVkSMa0yKSlg_TE1wGaAQUIARD4HcoBBJ8tynY=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=ZATfsy9wOG4","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"ZATfsy9wOG4","nofollow":true,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr3---sn-ab02a0nfpgxapox-bh2zr.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=6404dfb32f70386e\u0026ip=1.208.108.242\u0026initcwndbps=3965000\u0026mt=1768293662\u0026oweuc="}}}}}}}}}},{"lockupViewModel":{"contentImage":{"thumbnailViewModel":{"image":{"sources":[{"url":"https://i.ytimg.com/vi/7VYZPhCJo7s/hqdefault.jpg?v=692d0e5a\u0026sqp=-oaymwEiCKgBEF5IWvKriqkDFQgBFQAAAAAYASUAAMhCPQCAokN4AQ==\u0026rs=AOn4CLB7VGPUYtSnrH-2gdkUA2r8wimRnw","width":168,"height":94},{"url":"https://i.ytimg.com/vi/7VYZPhCJo7s/hqdefault.jpg?v=692d0e5a\u0026sqp=-oaymwEjCNACELwBSFryq4qpAxUIARUAAAAAGAElAADIQj0AgKJDeAE=\u0026rs=AOn4CLAYuCXwMVfKIUdJXsSkJ_tSs8gy8Q","width":336,"height":188}]},"overlays":[{"thumbnailOverlayBadgeViewModel":{"thumbnailBadges":[{"thumbnailBadgeViewModel":{"icon":{"sources":[{"clientResource":{"imageName":"LIVE"}}]},"text":"라이브","badgeStyle":"THUMBNAIL_OVERLAY_BADGE_STYLE_LIVE","animationActivationTargetId":"7VYZPhCJo7s","animationActivationEntityKey":"Eh8veW91dHViZS9hcHAvd2F0Y2gvcGxheWVyX3N0YXRlIMMCKAE%3D","lottieData":{"url":"https://www.gstatic.com/youtube/img/lottie/audio_indicator/audio_indicator_v2.json","settings":{"loop":true,"autoplay":true}},"animatedText":"지금 재생 중","animationActivationEntitySelectorType":"THUMBNAIL_BADGE_ANIMATION_ENTITY_SELECTOR_TYPE_PLAYER_STATE"}}],"position":"THUMBNAIL_OVERLAY_BADGE_POSITION_BOTTOM_END"}},{"thumbnailHoverOverlayToggleActionsViewModel":{"buttons":[{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"WATCH_LATER","onTap":{"innertubeCommand":{"clickTrackingParams":"CNYCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/browse/edit_playlist"}},"playlistEditEndpoint":{"playlistId":"WL","actions":[{"addedVideoId":"7VYZPhCJo7s","action":"ACTION_ADD_VIDEO"}]}}},"accessibilityText":"나중에 볼 동영상","style":"BUTTON_VIEW_MODEL_STYLE_OVERLAY_DARK","trackingParams":"CNYCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_COMPACT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE"}},"toggledButtonViewModel":{"buttonViewModel":{"iconName":"CHECK","onTap":{"innertubeCommand":{"clickTrackingParams":"CNUCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/browse/edit_playlist"}},"playlistEditEndpoint":{"playlistId":"WL","actions":[{"action":"ACTION_REMOVE_VIDEO_BY_VIDEO_ID","removedVideoId":"7VYZPhCJo7s"}]}}},"accessibilityText":"추가됨","style":"BUTTON_VIEW_MODEL_STYLE_OVERLAY_DARK","trackingParams":"CNUCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_COMPACT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE"}},"isToggled":false,"trackingParams":"CM4CENTEDBgBIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}},{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"ADD_TO_QUEUE_TAIL","onTap":{"innertubeCommand":{"clickTrackingParams":"CNQCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CNQCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","addToPlaylistCommand":{"openMiniplayer":false,"openListPanel":true,"videoId":"7VYZPhCJo7s","listType":"PLAYLIST_EDIT_LIST_TYPE_QUEUE","onCreateListCommand":{"clickTrackingParams":"CNQCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/playlist/create"}},"createPlaylistServiceEndpoint":{"videoIds":["7VYZPhCJo7s"],"params":"CAQ%3D"}},"videoIds":["7VYZPhCJo7s"],"videoCommand":{"clickTrackingParams":"CNQCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=7VYZPhCJo7s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"7VYZPhCJo7s","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr2---sn-ab02a0nfpgxapox-bh26d.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=ed56193e1089a3bb\u0026ip=1.208.108.242\u0026initcwndbps=4492500\u0026mt=1768293662\u0026oweuc="}}}}}}}]}}},"accessibilityText":"현재 재생목록에 추가","style":"BUTTON_VIEW_MODEL_STYLE_OVERLAY_DARK","trackingParams":"CNQCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_COMPACT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE"}},"toggledButtonViewModel":{"buttonViewModel":{"iconName":"CHECK","accessibilityText":"추가됨","style":"BUTTON_VIEW_MODEL_STYLE_OVERLAY_DARK","trackingParams":"CNMCEPBbIhMI4pjP2pCIkgMVlkwPAh3BAjUr","type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_COMPACT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE"}},"isToggled":false,"trackingParams":"CM4CENTEDBgBIhMI4pjP2pCIkgMVlkwPAh3BAjUr"}}]}}]}},"metadata":{"lockupMetadataViewModel":{"title":{"content":"[Playlist] 겨울 좋아하세요? 그럼 재즈도 좋아하시겠네요🧡 겨울 감성 잔-뜩 머금은 잔잔한 느낌의 재즈플레이리스트🍂 Winter Jazz Piano Instrumental"},"image":{"decoratedAvatarViewModel":{"avatar":{"avatarViewModel":{"image":{"sources":[{"url":"https://yt3.ggpht.com/IB_NimXKvG4y4rKmBRtHNN8cYE60hTMZhPuv9nx3pu-646bchkXn5EUbtqSfM9dH-n2fLV4suQ=s88-c-k-c0x00ffffff-no-rj","width":68,"height":68}]},"avatarImageSize":"AVATAR_SIZE_M"}},"a11yLabel":"MONKEY BGM 채널로 이동","rendererContext":{"commandContext":{"onTap":{"innertubeCommand":{"clickTrackingParams":"CM4CENTEDBgBIhMI4pjP2pCIkgMVlkwPAh3BAjUrygEEny3Kdg==","commandMetadata":{ | 2026-01-13T08:47:44 |
https://www.algolia.com/products/ai-search | AI Search | Algolia Niket --> Deutsch English français News: Meet us at NRF 2026 Learn more Company Partners Support Login Logout Algolia mark white Algolia logo white Products AI Search & Retrieval Overview Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Artificial Intelligence OVERVIEW Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Intelligent Data Kit Overview Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Infrastructure Overview Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Solutions Industries SEE ALL Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Use Cases SEE ALL Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Departments Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Pricing Developers Get started Developer Hub Developer Hub Documentation Documentation Integrations Integrations UI Components UI Components Autocomplete Autocomplete Resources Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events Quick Links Quick Start Guide Quick Start Guide For Open Source For Open Source API Status API Status Support Support Resources Discover Algolia Blog Algolia Blog Resource Center Resource Center Customer Stories Customer Stories Webinars & Events Webinars & Events Newsroom Newsroom Customers Customer Hub Customer Hub What's New What's New Knowledge Base Knowledge Base Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Company Partners Support Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack AI SEARCH AI search that simply works Show users precisely what they’re looking for with search that understands intent, context, and nuance—so people find what they want without friction Request demo Get started More than 18,000 customers in 150+ countries trust Algolia The AI Search advantage Deliver lightning-fast, highly relevant search and discovery experiences on your site or app. The Algolia AI Retrieval platform combines keyword precision with semantic understanding and behavioral learning—backed by years of unmatched expertise in search relevance and optimization. Help your customers find what they want faster, leading to stronger engagement, higher conversion rates, and reduced support costs. An API-first search solution for just about any use case, industry, or team Built for flexibility and scale, Algolia adapts to your architecture, workflows, and commercial goals. Industry Across retail, manufacturing, media, financial services and more, Algolia is a trusted solution for driving higher conversion rates, AOV, and better customer experience. See all industries Use case Whether you want to improve site-wide discovery, build a new visual search solution, or optimize results for mobile users, Algolia has an API to make it happen. See all use cases Teams Algolia is built for flexibility—easy to integrate anywhere and usable by teams across merchandising, ecommerce, engineering, and product to drive better results. See all departments Unsurpassed relevance drives revenue Deliver instantly relevant results with a hybrid keyword and vector retrieval engine that understands user intent and natural language. Real-time personalization adds another layer of intelligence so every visitor finds exactly what they’re looking for. Deliver the outcomes your business depends on With AI Search, you’re in control. Configure results for any query or campaign, or let machine learning automate to the KPIs your organization expects — whether that’s conversions, revenue, engagement, or efficiency. Improve KPIs with AI ranking AI Ranking turns your business goals into ranking logic. It evaluates real user behavior, learns what drives performance, and adjusts signals automatically—removing the manual tuning work that slows teams down. Curation and control at your fingertips Curate results for campaigns, A/B test different configurations, and adjust rankings with granular control. In the dashboard, you can see exactly why results are displayed and adjust the ranking logic as needed — no code required. Speed and scale Algolia processes more than 1 billion queries every 5 seconds with an average response time under 20 milliseconds, so you can sleep soundly knowing your most critical business systems are running smoothly. Features Everything you need to deploy AI-powered search. NeuralSearch Hybrid vector and keyword-powered search AI Ranking Boost results dynamically to drive KPIs Personalization Tailor results for each user AI Synonyms Automatically detects new synonyms to deliver better results InstantSearch Results that appear instantly Rules Optimize ranking for specific queries Analytics Understand your users to uncover opportunities A/B testing Design the best-performing relevance strategies. Rules: Optimize ranking for specific Merchandising Curate results for promotional campaigns Crawler Automatically extract and enrich your content Autocomplete Guide users to the right content with typo tolerance Query categorization Better results categorized for each query Trusted integrations and partnerships Get up and running quickly with pre-built integrations on some of the most popular platforms. See all integrations The future of search is agentic Add conversational search to your search bar, or build entirely new retrieval solutions powered by vector embeddings and LLMs. Agent Studio 0 Create, test, and deploy AI agents, fast. Read more about Agent Studio Generative Experiences 0 Build content-rich, dynamic, and personalized LLM-based experiences that integrate directly with your search and product data. Learn more about Generative Experiences Ask AI 0 Deliver conversational answers—right from your search bar. Learn more about Ask AI MCP Server 0 Search, analyze, monitor, or modify your index within your agentic workflow. Learn more about MCP Algolia AI Search FAQs What is AI Search and how does it work? 0 Algolia AI Search is a cloud-based, API-first search solution that uses AI and keyword search technologies, like natural language processing, autocomplete, typo tolerance, and cosine similarity, to deliver a search experience that understands user intent and returns fast, highly relevant search results. How fast is Algolia AI Search? 0 Extremely fast. Most search queries return results in just 1 to 20 milliseconds, up to 200x faster than typical competitors. What types of content or data can AI Search handle? 0 Our AI Search API can handle any content you send into its hosted index, like product catalogs, blog posts, help articles, media, images, or API-Sourced data. It understands both keywords and meaning, so it works well with all kinds of data, from short titles to long documents How is Algolia different from other AI search engines? 0 Unlike many competitors , Algolia combines an API-first architecture with robust developer tools, global scalability, and fine-grained relevance controls. Instead of a black-box approach, Algolia gives you full visibility and control over how search works, letting you tailor results to your goals while still leveraging the power of AI. Its hybrid search approach ensures both precision and semantic understanding, so results are consistently high quality. What are the key features of Algolia AI Search? 0 Core capabilities include semantic search, AI-powered relevance tuning, vector embeddings, hybrid keyword and vector matching, real-time personalization, dynamic re-ranking, and multilingual search support. These features work together to make search faster, smarter, and more adaptable to business needs. What industries and use cases is Algolia’s AI Search best for? 0 Ecommerce, SaaS, media publishers, fashion, finance, marketplaces, agentic search, enterprises, mobile apps, headless commerce, voice search, and image search are just some of the use cases and industries where our AI Search drives faster discovery, better relevance, and increased conversions . How does Algolia’s AI Search improve conversion rates? 0 By delivering more relevant results faster, Algolia reduces friction in the customer journey, helping users find what they need before losing interest. Its semantic understanding interprets what users mean, not just what they type, leading to fewer “no results” pages and a better overall search experience that drives more engagement and conversions . Can Algolia AI Search handle multiple languages? 0 Yes, our AI search API is language-agnostic and trained to understand meaning and intent across dozens of languages, allowing businesses to serve global audiences without building separate search experiences for each region. Learn more about how Algolia handles multilingual search . How does personalization work in Algolia AI Search? 0 Algolia’s personalization captures user actions—such as clicks, views, or purchases—and translates them into category-based affinity profiles. These affinities boost search results at query time after textual and business relevance layers, allowing individualized results without overriding relevance. For deeper automation, the Advanced Personalization pipeline automatically builds and applies these profiles. Does AI Search require coding to implement? 0 Developers can integrate it using Algolia’s APIs and SDKs, giving full flexibility over the search experience. For non-technical teams, a low-code/no-code dashboard makes it easy to adjust relevance rules, analyze search performance, and launch changes without engineering resources. Is Algolia scalable for high-traffic websites? 0 Yes. Algolia’s globally distributed infrastructure is designed to deliver sub-50ms response times, even for sites processing millions of queries per day, making it a reliable choice for enterprise-scale search needs. How easy is it to implement AI Search? 0 Algolia can be implemented in just minutes using our APIs or dashboard,. making it fast to get up and running. Developers have full flexibility to customize search behavior, while non-technical teams can easily manage relevance, boost or bury results, and set up merchandising rules using our intuitive low-code or no-code interface. You can also track performance and optimize search with built-in analytics, no coding required How can I measure and optimize AI Search? 0 Algolia’s built-in analytics dashboard makes it easy to track key metrics like query performance, click-through rates, zero-result searches, and personalization impact. From there, you can fine-tune relevance, run A/B tests, and apply smart merchandising rules to continuously improve results and drive better business outcomes. How can I try Algolia AI Search? 0 You can start with a free trial that lets you explore Algolia AI Search using your own data or sample data. During the trial, you can upload your product listings, content, or documents, test the platform's features firsthand, and measure how it improves performance and user experience before making a commitment. Enable anyone to build great Search & Discovery Get a demo Start free Products Overview AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Use cases Overview Enterprise search Headless commerce Mobile & app search Voice search Image search OEM Site search Developers Developer Hub Documentation Integrations Engineering blog Discord community API status DocSearch For Open Source Live demos GDPR AI Act Integrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distributed & secure Global infrastructure Security & compliance Azure AWS Industries Overview B2C ecommerce B2B ecommerce Marketplaces SaaS Media Startups Fashion Tools Search Grader Ecommerce Search Audit Company About Algolia Careers Newsroom Events Leadership Social impact Contact us Anti-Modern Slavery Statement Awards Social networks Developers Developer Hub Documentation Integrations Engineering blog Discord community API status DocSearch For Open Source Live demos GDPR AI Act Industries Overview B2C ecommerce B2B ecommerce Marketplaces SaaS Media Startups Fashion Tools Search Grader Ecommerce Search Audit Products Overview AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Use cases Overview Enterprise search Headless commerce Mobile & app search Voice search Image search OEM Site search Integrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distributed & secure Global infrastructure Security & compliance Azure AWS Company About Algolia Careers Newsroom Events Leadership Social impact Contact us Anti-Modern Slavery Statement Awards Social networks Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Trust Center Privacy Policy Terms of service Acceptable Use Policy ✕ Hi there 👋 Need assistance? Click here to allow functional cookies to launch our chat agent. 1 | 2026-01-13T08:47:44 |
https://dev.to/embernoglow#main-content | EmberNoGlow - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Forem Close Follow User actions EmberNoGlow Just a dude, a mid-level on Godot / Python developer and Rust beginner Joined Joined on Nov 18, 2025 github website More info about @embernoglow Badges 4 Week Community Wellness Streak Keep contributing to discussions by posting at least 2 comments per week for 4 straight weeks. Unlock the 8 Week Badge next. Got it Close 2 Week Community Wellness Streak Keep the community conversation going! Post at least 2 comments for 2 straight weeks and unlock the 4 Week Badge. Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close GitHub Repositories Updater-Releases A fast, lightweight, and simple utility written in Python to streamline the process of updating your applications from GitHub releases. Python Procedural-Terrain-Generator-for-Godot Procedural terrain generation for Godot 4 based on MeshInstance3D and a height map. GDScript • 10 stars Godot-Procedural-VOXEL-Terrain Procedural voxel terrain generation for Godot 4 based on MeshInstance3D and a 3D noise. GDScript • 3 stars Post 13 posts published Comment 53 comments written Tag 9 tags followed From Zero to SDF Editor Beta: How I Used AI to Force My Dream Project Out of the Prototype Stage. What I learned? EmberNoGlow EmberNoGlow EmberNoGlow Follow Jan 9 From Zero to SDF Editor Beta: How I Used AI to Force My Dream Project Out of the Prototype Stage. What I learned? # discuss # python # sideprojects # opensource 13 reactions Comments 3 comments 3 min read Want to connect with EmberNoGlow? Create an account to connect with EmberNoGlow. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Marching Cubes algorithm written in Rust EmberNoGlow EmberNoGlow EmberNoGlow Follow Jan 3 Marching Cubes algorithm written in Rust # rust # algorithms # opensource # programming 2 reactions Comments Add Comment 1 min read Raymarching Mountains for Godot - addon that solves the problem of open worlds EmberNoGlow EmberNoGlow EmberNoGlow Follow Dec 30 '25 Raymarching Mountains for Godot - addon that solves the problem of open worlds # godot # shader # tool # gamedev 1 reaction Comments Add Comment 1 min read Godot SceneBuilder: Supercharge Your 3D Scene Creation! EmberNoGlow EmberNoGlow EmberNoGlow Follow Dec 25 '25 Godot SceneBuilder: Supercharge Your 3D Scene Creation! # godot # addon # gamedev # 3d 1 reaction Comments Add Comment 2 min read SDF Model Editor Demo written in Python & GLSL EmberNoGlow EmberNoGlow EmberNoGlow Follow Dec 17 '25 SDF Model Editor Demo written in Python & GLSL # discuss # python # coding # startup 1 reaction Comments Add Comment 1 min read File Sharing: Tired of slow transfers? Here's the easiest and fastest utility to share files between devices. EmberNoGlow EmberNoGlow EmberNoGlow Follow Dec 12 '25 File Sharing: Tired of slow transfers? Here's the easiest and fastest utility to share files between devices. # discuss # flask # python # tooling 1 reaction Comments Add Comment 2 min read Stop Coding Before You Break It: The Hidden Productivity Skill EmberNoGlow EmberNoGlow EmberNoGlow Follow Dec 9 '25 Stop Coding Before You Break It: The Hidden Productivity Skill # discuss # productivity # performance # coding 2 reactions Comments Add Comment 1 min read Optimize Your Godot 4 Scenes with Merging Meshes EmberNoGlow EmberNoGlow EmberNoGlow Follow Dec 3 '25 Optimize Your Godot 4 Scenes with Merging Meshes # godot # tool # performance # optimisation 1 reaction Comments Add Comment 1 min read Updater Releases - Your Github Repository Updater EmberNoGlow EmberNoGlow EmberNoGlow Follow Dec 1 '25 Updater Releases - Your Github Repository Updater # tool # python # github # boost Comments Add Comment 2 min read The most useless python utility for development you can make? Mem lol Pillow EmberNoGlow EmberNoGlow EmberNoGlow Follow Nov 20 '25 The most useless python utility for development you can make? Mem lol Pillow # python # meme # programming # learning Comments Add Comment 1 min read 📜 Prototype of Voxel Terrain Generation in Godot 4 EmberNoGlow EmberNoGlow EmberNoGlow Follow Nov 20 '25 📜 Prototype of Voxel Terrain Generation in Godot 4 # godot # tool # opensource # gamedev Comments Add Comment 1 min read ✨ Crafting Procedural Landscapes in Godot 4: A Tool for Your Worlds! ✨ EmberNoGlow EmberNoGlow EmberNoGlow Follow Nov 18 '25 ✨ Crafting Procedural Landscapes in Godot 4: A Tool for Your Worlds! ✨ # godot # gamedev # tool # opensource Comments Add Comment 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:44 |
https://porkbun.com/tld/fun | porkbun.com | .FUN TLD Domain Names Toggle navigation porkbun $0.00 (0) products Domains Transfers Local Marketplace Local Auctions 3rd Party Aftermarket Web Hosting All Web Hosting Options Easy WordPress Link In Bio Articulation Sitebuilder Cloud WordPress Shared cPanel Hosting Static Hosting Website Builder Easy PHP Email Hosting All Email Hosting Options Proton Mail Porkbun Email Free Email Forwarding Marketing Tools Textla - SMS Marketing Free WHOIS Privacy Free SSL Certificates Free URL Forwarding transfer Free WordPress SALE! .COM SALE! About --> About Who We Are Why Choose Porkbun Porkbun vs Cloudflare FAQs Resources Knowledge Base Porkbun Blog Service Status Help $0.00 (0) sign in × IDN Language It looks like you are searching for an IDN. The registry requires that we pass the language the IDN is in before performing an availability check. Cancel Continue The FUN side of every brand. bulk search Uh oh! Domain List TLD Selection Enter one domain per line in the box above. You can search for a maximum of 100 domains at a time. Enter a single SLD in the box above and select the TLDs to search below. You can select a maximum of 100 TLDs. abogado ac ac.nz academy accountant accountants actor adult ae.org ag agency ai airforce am apartments app archi army art as asia associates attorney auction audio auto autos baby band bar bargains basketball bayern beauty beer best bet bh bible bid bike bingo bio biz biz.pr black blackfriday blog blue boats bond boo boston bot boutique br.com broker build builders business buzz bz ca cab cafe cam camera camp capital car cards care careers cars casa cash casino catering cc center ceo cfd channel charity chat cheap christmas church city claims cleaning click clinic clothing cloud club club.tw cn.com co co.ag co.bz co.com co.gg co.in co.je co.lc co.nz co.uk coach codes coffee college com com.ag com.ai com.bz com.de com.lc com.mx com.ph com.pr com.sc com.se com.vc community company compare computer condos construction consulting contact contractors cooking cool country coupons courses credit creditcard cricket cruises cv cx cymru cyou dad dance date dating day de de.com deal dealer deals degree delivery democrat dental dentist desi design dev diamonds diet digital direct directory discount diy doctor dog domains download earth ebiz.tw eco education email energy engineer engineering enterprises equipment esq estate eu eu.com events exchange expert exposed express fail faith family fan fans farm fashion fast feedback finance financial firm.in fish fishing fit fitness flights florist flowers fly fm fo foo food football forex forsale forum foundation free fun fund furniture futbol fyi gallery game game.tw games garden gay gb.net geek.nz gen.in gen.nz gg gift gifts gives giving glass global gmbh gold golf gr.com graphics gratis green gripe group guide guitars guru hair haus health healthcare help hiphop hiv hockey holdings holiday homes horse hospital host hosting hot house how hu.net icu id immo immobilien in in.net inc ind.in industries info info.pr ing ink institute insure international investments io irish isla.pr it.com je jetzt jewelry jobs jp.net jpn.com juegos kaufen kids kim kitchen kiwi.nz kyoto l.lc la land lat law lawyer lc lease legal lgbt life lifestyle lighting limited limo link live living llc loan loans lol london lotto love ltd ltda luxe luxury maison makeup management maori.nz market marketing markets mba me me.uk med media melbourne meme memorial men menu mex.com miami mn mobi moda moe moi mom money monster mortgage motorcycles mov movie mu music mx my nagoya name name.pr navy net net.ag net.ai net.bz net.gg net.in net.je net.lc net.nz net.ph net.pr net.vc network new news nexus ngo ninja nl nom.ag now nrw nyc nz observer off.ai one ong onl online ooo org org.ag org.ai org.bz org.gg org.in org.je org.lc org.mx org.nz org.ph org.pr org.sc org.uk org.vc organic osaka p.lc page partners parts party pet ph phd photo photography photos pics pictures pink pizza place plumbing plus poker porn pr press pro pro.pr productions prof promo properties property protection pub pw qpon quest racing radio.am radio.fm realty recipes red rehab reise reisen rent rentals repair report republican rest restaurant review reviews rich rip rocks rodeo rsvp ru.com rugby run sa.com saarland sale salon sarl sbs sc school school.nz schule science se.net security select services sex sexy sh shiksha shoes shop shopping show singles site ski skin soccer social software solar solutions soy spa space spot srl storage store stream studio study style sucks supplies supply support surf surgery sydney systems taipei talk tattoo tax taxi team tech technology tel tennis theater theatre tickets tienda tips tires tm to today tokyo tools top tours town toys trade trading training travel tube tv tw uk uk.com uk.net university uno us us.com us.org vacations vana vc vegas ventures vet viajes video villas vin vip vision vodka vote voto voyage wales wang watch watches webcam website wedding wiki win wine work works world ws wtf xn--5tzm5g xn--6frz82g xn--czrs0t xn--fjq720a xn--q9jyb4c xn--unup4y xn--vhquv xxx xyz yachts yoga yokohama you za.com zip zone Add available domains to the cart. 100 max. AI Search | Auction Search | Marketplace Search $2.57 first year sale $26.26 regular registration / renewal / transfer Looking for a goofy website, a comedy blog or a place to show off your favorite pastime? .FUN has you covered. .FUN is a web address for individuals or organisations who wish to entertain the target audience, or engage them in a fun way. A .FUN extension creates a brand image that is seen as young, vibrant and flexible - apt for an entertainer. 1 2 3 Save Money With Free Domain Features These premium features come free with every Porkbun domain. Free WHOIS Privacy Keep your private contact information hidden from prying eyes with our WHOIS privacy service. Most registrars charge for this service; we believe your privacy shouldn't come at a price. Learn More Free SSL Certificates Security is important and that's why we offer Let's Encrypt SSL certificates at no charge for all supported domains. We'll even auto renew them for you! Learn More URL Forwarding Quickly and easily point your domain somewhere else with free URL Forwarding. Our URL Forwarder supports permanent, temporary, and masked forwards. Learn More Email Forwarding Give your online presence a more professional feel with up to 20 free email forwards. Learn More Cloudflare DNS Management With free DNS management powered by Cloudflare, you can rest easy knowing your site's DNS will be robust and available. Learn More You're In Good Hooves We are the highest-rated domain name registrar on Trustpilot, as reviewed by real customers. Trustpilot × Modal Title Close Close × Modal Title Close porkbun Porkbun is an amazingly awesome ICANN accredited domain name registrar based out of the Pacific Northwest. We're different, we're easy, and we're affordable. Use us, you won't be sorry. If you don't use us we'll be sad, but we'll still love you. Get Pork-Puns In Your Inbox Stay in the loop on all things Porkbun by signing up for our newsletter! 21370 SW Langer Farms Parkway, Suite 142-429 Sherwood, OR 97140, US If you're looking for support, you might be able to answer your own question using our Knowledge Base . Support Hours Impacted From January 3rd to January 11th we will be holding our annual company summit which will impact live and after hours support. Our goal is to provide you with an excellent domain registration experience and support and we all appreciate your patience as the whole company works together to make Porkbun even better. Thank you. Reach our USA-Based phone support team: 1.855.PORKBUN (1.855.767.5286) 9AM - 5PM Pacific Time Other Hours: Your mileage may vary, but give it a whirl support@porkbun.com 24 / 7 Email Support Chat Support Hours Vary Your browser does not support the audio element. This plays a little Porkbun jingle. Stay up to date with Porkbun. Sign up for our cool newsletter and we'll keep you up to date with sweet deals, amazing info, and maybe even the occasional limerick or sonnet. Sign Up Products Domain Names Greatest Deals Local Marketplace Local Auctions 3rd Party Aftermarket Web Hosting Link In Bio Articulation Sitebuilder Cloud WordPress cPanel Hosting Static Hosting Easy PHP Website Builder Email Hosting WHOIS Privacy DNS Management SSL Certificates Email Forwarding URL Forwarding Quick Connect Domain Transfer Affiliate Program Handshake Names Ethereum Name Service International Domain Names API Access Support Contact Us Knowledge Base Payment Options Report Abuse Tools Domain Search Domain Suggestion Generator RDAP (WHOIS) Password Generator Service Status Don't like our name? The Buniverse Your IP Address Online DNS Lookup Our Company About Us Our Official Blog Careers Branding Guidelines Policies and Legal Privacy Policy Data Disclosure Policy Bug Bounty Program Porkbun Merchandise Awesomeness Copyright © Porkbun LLC. All rights reserved. Porkbun is a Top Level Design Company Made in the USA 🇺🇸 This site is protected by reCAPTCHA and the Google Privacy Policy and Terms of Service apply. WARNING: This site has been known to cause a mind blowing experience. We recommend you prepare yourself mentally and if possible be sitting down. Side effects may include saving money, letting out a chuckle, and sporadic oinking. 1 × Modal Title Cancel Continue | 2026-01-13T08:47:44 |
https://www.highlight.io/docs/getting-started/browser/vuejs | Vue.js Star us on GitHub Star Docs Sign in Sign up Getting Started Getting Started with Highlight Fullstack Mapping Browser React.js Next.js Remix Vue.js Angular Gatsby.js SvelteKit Electron highlight.run SDK Overview Canvas & WebGL Console Messages Content-Security-Policy Identifying Users iframe Recording Monkey Patches Browser OpenTelemetry Persistent Asset Storage Privacy Proxying Highlight React.js Error Boundary Recording Network Requests and Responses Recording WebSocket Events Salesforce Lightning Web Components (LWC) Data Export Sourcemap Configuration Tracking Events Troubleshooting Upgrading Highlight Versioning Sessions & Errors Other React Native (beta) Server Go Overview chi Echo Fiber Gin GORM gqlgen Logrus Manual Tracing gorilla mux JS Overview Apollo AWS Lambda Cloudflare Workers Express.js Firebase Hono Nest.js Next.js Node.js Pino tRPC Winston Python Overview AWS Lambda Azure Functions Django FastAPI Flask Google Cloud Functions Loguru Other Frameworks Python AI / LLM Libraries Python Libraries Ruby Overview Other Frameworks Ruby on Rails Rust Overview actix-web No Framework Hosting Providers Overview Metrics in AWS Logging in AWS Logging in Azure Fly.io NATS Log Shipper Logging in GCP Heroku Log Drain Render Log Stream Logging in Trigger.dev Vercel Log Drain Elixir Overview Elixir App Java: All Frameworks PHP: All Frameworks C# .NET ASP C# .NET 4 ASP Docker / Docker Compose File Fluent Forward curl OpenTelemetry Protocol (OTLP) Syslog RFC5424 Systemd / Journald Native OpenTelemetry Overview Error Monitoring Logging Tracing Browser Instrumentation Metrics Fullstack Frameworks Overview Next.js Fullstack Overview Next.js Page Router Guide Next.js App Router Guide Edge Runtime Advanced Config Remix Walkthrough Self Host & Local Dev Overview Development deployment guide. Integrations Microsoft Teams self-hosted Hobby deployment guide. Traefik SSL Proxying. Menu Highlight Docs Welcome to highlight.io Get Started Roadmap Company Values Compliance & Security Open Source Contributing Overview GraphQL Backend Frontend (app.highlight.io) Landing Site (highlight.io) Documentation End to End SDK Example Apps Adding an SDK Application Architecture GitHub Code Spaces Code Style Good First Issues Self-hosting Self-hosted [Dev] Self-hosted [Hobby] Self-hosted [Enterprise] Telemetry Our Competitors Product Philosophy Product Features Session Replay Overview Canvas & Iframe Dev-tool Window Recording Tracking Users & Recording Events Filtering Sessions GraphQL Live Mode Performance Impact Player Session Caching Rage Clicks Request Proxying Session Search Extracting the Session URL Session Search Deep Linking Shadow Dom + Web Components Error Monitoring Overview Enhancing Errors with GitHub Error Search Filtering Errors Grouping Errors Managing Errors Manually Reporting Errors Sourcemaps General Features Overview Alerts Comments Digests Environments Search Segments Services Webhooks Logging Overview Log Alerts Log Search Tracing Overview Trace Search Dashboards Overview Dashboard Management Metrics Tutorials Service Latency Web Vitals & Page Speed User Engagement User Analytics Graphing Drilldown Event Search Dashboard Variables SQL Editor Metrics (beta) Overview Frequently Asked Questions. Integrations Integrations Overview Amplitude Integration ClickUp Integration Discord Integration Electron Support Front Integration GitHub Integration Grafana Integration Overview Setup Dashboards Alerts Height Integration Intercom Integration Jira Integration LaunchDarkly Integration Linear Integration Mixpanel Integration Nuxt Integration Pendo Integration Segment Integration Slack Integration Vercel Integration WordPress Plugin Highlight.io Changelog Overview Changelog 12 (02/17) Changelog 13 (02/24) Changelog 14 (03/03) Changelog 15 (03/11) Changelog 16 (03/19) Changelog 17 (04/07) Changelog 18 (04/26) Changelog 19 (05/22) Changelog 20 (06/06) Changelog 21 (06/21) Changelog 22 (08/07) Changelog 23 (08/22) Changelog 24 (09/11) Changelog 25 (10/03) Changelog 26 (11/08) Changelog 27 (12/22) Changelog 28 (3/6) Changelog 29 (4/2) Getting Started Getting Started with Highlight Fullstack Mapping Browser React.js Next.js Remix Vue.js Angular Gatsby.js SvelteKit Electron highlight.run SDK Overview Canvas & WebGL Console Messages Content-Security-Policy Identifying Users iframe Recording Monkey Patches Browser OpenTelemetry Persistent Asset Storage Privacy Proxying Highlight React.js Error Boundary Recording Network Requests and Responses Recording WebSocket Events Salesforce Lightning Web Components (LWC) Data Export Sourcemap Configuration Tracking Events Troubleshooting Upgrading Highlight Versioning Sessions & Errors Other React Native (beta) Server Go Overview chi Echo Fiber Gin GORM gqlgen Logrus Manual Tracing gorilla mux JS Overview Apollo AWS Lambda Cloudflare Workers Express.js Firebase Hono Nest.js Next.js Node.js Pino tRPC Winston Python Overview AWS Lambda Azure Functions Django FastAPI Flask Google Cloud Functions Loguru Other Frameworks Python AI / LLM Libraries Python Libraries Ruby Overview Other Frameworks Ruby on Rails Rust Overview actix-web No Framework Hosting Providers Overview Metrics in AWS Logging in AWS Logging in Azure Fly.io NATS Log Shipper Logging in GCP Heroku Log Drain Render Log Stream Logging in Trigger.dev Vercel Log Drain Elixir Overview Elixir App Java: All Frameworks PHP: All Frameworks C# .NET ASP C# .NET 4 ASP Docker / Docker Compose File Fluent Forward curl OpenTelemetry Protocol (OTLP) Syslog RFC5424 Systemd / Journald Native OpenTelemetry Overview Error Monitoring Logging Tracing Browser Instrumentation Metrics Fullstack Frameworks Overview Next.js Fullstack Overview Next.js Page Router Guide Next.js App Router Guide Edge Runtime Advanced Config Remix Walkthrough Self Host & Local Dev Overview Development deployment guide. Integrations Microsoft Teams self-hosted Hobby deployment guide. Traefik SSL Proxying. Docs Home SDK Client SDK API Reference Cloudflare Worker SDK API Reference Go SDK API Reference Hono SDK API Reference Java SDK API Reference Next.JS SDK API Reference Node.JS SDK API Reference Python SDK API Reference Ruby SDK API Reference Rust SDK API Reference Docs / Getting Started / Browser / Vue.js Using highlight.io in Vue.js Learn how to set up highlight.io with your React application. 1 Install the npm package & SDK. Install the npm package highlight.run in your terminal. # with yarn yarn add highlight.run # with pnpm pnpm add highlight.run # with npm npm install highlight.run 2 Initialize the SDK in your frontend. Grab your project ID from app.highlight.io/setup , and pass it as the first parameter of the H.init() method. To get started, we recommend setting environment , version , and networkRecording . Refer to our docs on SDK configuration to read more about these options. ... import { H } from 'highlight.run'; import { createApp } from 'vue' import App from './App.vue' H.init('<YOUR_PROJECT_ID>', { environment: 'production', version: 'commit:abcdefg12345', networkRecording: { enabled: true, recordHeadersAndBody: true, urlBlocklist: [ // insert full or partial urls that you don't want to record here // Out of the box, Highlight will not record these URLs (they can be safely removed): "https://www.googleapis.com/identitytoolkit", "https://securetoken.googleapis.com", ], }, }); ... createApp(App).mount('#app') 3 Identify users. Identify users after the authentication flow of your web app. We recommend doing this in any asynchronous, client-side context. The first argument of identify will be searchable via the property identifier , and the second property is searchable by the key of each item in the object. For more details, read about session search or how to identify users . import { H } from 'highlight.run'; function Login(username: string, password: string) { // login logic here... // pass the user details from your auth provider to the H.identify call H.identify('jay@highlight.io', { id: 'very-secure-id', phone: '867-5309', bestFriend: 'jenny' }); } 4 Verify installation Check your dashboard for a new session. Make sure to remove the Status is Completed filter to see ongoing sessions. Don't see anything? Send us a message in our community and we can help debug. 5 Configure sourcemaps in CI. (optional) To get properly enhanced stacktraces of your javascript app, we recommend instrumenting sourcemaps. If you deploy public sourcemaps, you can skip this step. Refer to our docs on sourcemaps to read more about this option. # Upload sourcemaps to Highlight ... npx --yes @highlight-run/sourcemap-uploader upload --apiKey ${YOUR_ORG_API_KEY} --path ./build ... 6 Instrument your backend. The next step is instrumenting your backend to tie logs/errors to your frontend sessions. Read more about this in our backend instrumentation section. Remix Angular [object Object] | 2026-01-13T08:47:44 |
https://parenting.forem.com/subforems | Subforems - Parenting 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 Parenting Close Subforems DEV Community A space to discuss and keep up software development and manage your software career Follow Future News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Follow Open Forem A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Follow Gamers Forem An inclusive community for gaming enthusiasts Follow Music Forem From composing and gigging to gear, hot music takes, and everything in between. Follow Vibe Coding Forem Discussing AI software development, and showing off what we're building. Follow Popcorn Movies and TV Movie and TV enthusiasm, criticism and everything in-between. Follow DUMB DEV Community Memes and software development shitposting Follow Design Community Web design, graphic design and everything in-between Follow Security Forem Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Follow Golf Forem A community of golfers and golfing enthusiasts Follow Crypto Forem A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Follow Parenting A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Follow Forem Core Discussing the core forem open source software project — features, bugs, performance, self-hosting. Follow Maker Forem A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. Follow HMPL.js Forem For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Follow 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Parenting — A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Navigating the chaos and joy of parenting. Log in Create account | 2026-01-13T08:47:44 |
https://docs.suprsend.com/docs/overview-preference-page | Embedded Preference Centre - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation PREFERENCE CENTRE Embedded Preference Centre Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog PREFERENCE CENTRE Embedded Preference Centre OpenAI Open in ChatGPT How to integrate a Notification Preference Center into your website and add its link to your notification templates. OpenAI Open in ChatGPT The Notification Preference Centre is a embedded page inside your application where users can specify the types of notifications they wish to receive and on which channels. With SuprSend’s preference management center, you can effortlessly configure preferences. Simply add notification categories on SuprSend dashboard and get a fully functional preference page that can be seamlessly integrated into your application. This preference page offers a user-friendly interface, enabling users to conveniently manage their notification settings within your application. Rest assured, it remains synchronized with any changes made to notification categories on SuprSend. This means that once integrated, you no longer need to worry about modifying your code to accommodate future updates. Also, user preferences are automatically validated at each workflow run, guaranteeing notifications align with user’s latest preference settings. With notification preferences, you can increase user delight by giving them greater autonomy over their notification experience thereby reducing the risk of users turning of all notifications from your platform. Integrating preference page into your application With SuprSend, user can set preferences at 3 levels- communication channel, notification category and selected channels inside a category. We provide a headless solution with hooks to read and update data at all 3 levels. We’ll also give an example code to add our pre-defined UI. You can do any level of UI customization to match with your brand design. SDKs are available in below languages. We’ll be adding support in other languages soon: Javascript (Web) React Angular Adding preference page link in notifications 1 Add preference page link in tenant settings page Add Embeddable Preference Page link in tenant settings on SuprSend dashboard. This will automatically create a variable with key $embedded_preference_url . You can add this variable in your templates to add preference page link in your notifications. 2 Add preference page link in your templates Add this variable {{$embedded_preference_url}} in your templates to redirect users to the preference page in your application when users clicks on that link. Was this page helpful? Yes No Suggest edits Raise issue Previous Javascript Integration guide to add notification preference centre in Javascript website. Next ⌘ I x github linkedin youtube Powered by On this page Integrating preference page into your application Adding preference page link in notifications | 2026-01-13T08:47:44 |
https://www.oshwa.org/ | OSHWA menu menu chevron_left home About Team Programs Community Membership Events OSHW 101 Documents and Policies Resources Announcements About OSHWA January 09, 2026 OSHWA’s New Open Healthware Certification: How We Got Here and Where We’re Going OSHWA is launching a Healthware Certification! Read more See all announcements 3215 Certified Open Source Hardware Projects All Certified Projects Loading... Programs Resources Events Community Become a Member Donate Newsletter | 2026-01-13T08:47:44 |
https://paneapp.com | Pane - AI-Native Spreadsheet Pane Sign In Get Started Free The AI-Powered Spreadsheet for Modern Teams Create, analyze, and collaborate on spreadsheets with the Pane Agent. Just describe what you want, and watch your data transform. Start for Free Watch Demo Features Everything you need in a spreadsheet Pane combines the power of traditional spreadsheets with cutting-edge AI to help you work faster and smarter. Pane Agent Talk to your spreadsheet in natural language. Sort, filter, calculate, and transform data with simple commands. Interactive Charts Create beautiful bar, line, pie, area, and scatter charts. Drag to reposition and resize anywhere on your sheet. Powerful Formulas Full formula support powered by HyperFormula. Use SUM, AVERAGE, VLOOKUP, and hundreds more functions. CSV, Excel & PDF Import Import your existing data with one click. Supports CSV, Excel, and PDF files of any size with smart parsing. Cloud Synced Your spreadsheets are securely stored in the cloud. Access them from anywhere, on any device. Auto-Generate Dashboards Instantly visualize your data. Pane Agent automatically creates professional dashboards with relevant charts and key metrics. See Pane in Action Watch how the AI Agent transforms the way you work with data. Your browser does not support the video tag. Ready to transform your workflow? Join thousands of teams using Pane to work smarter with their data. Get Started Free Pane Sign In © 2024 Pane. All rights reserved. | 2026-01-13T08:47:44 |
https://dev.to/t/flutter | Flutter - 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 Flutter Follow Hide An open source framework by Google for building beautiful, natively compiled, multi-platform applications from a single codebase. Create Post about #flutter This tag is dedicated to posts related to Flutter, fell free! Older #flutter posts 1 2 3 4 5 6 7 8 9 … 75 … 191 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu The Features I Killed to Ship The 80 Percent App in 4 Weeks Malawige Inusha Thathsara Gunasekara Malawige Inusha Thathsara Gunasekara Malawige Inusha Thathsara Gunasekara Follow Jan 12 The Features I Killed to Ship The 80 Percent App in 4 Weeks # flutter # softwareengineering # devops # learning Comments Add Comment 4 min read Clone MedTalk: HIPAA-Ready Video and Chat Consultations in Flutter Ekemini Samuel Ekemini Samuel Ekemini Samuel Follow Jan 12 Clone MedTalk: HIPAA-Ready Video and Chat Consultations in Flutter # flutter # tutorial # programming # coding 10 reactions Comments 1 comment 23 min read Flutter ECS: Mastering Async Operations and Complex Workflows Dr. E Dr. E Dr. E Follow Jan 11 Flutter ECS: Mastering Async Operations and Complex Workflows # flutter # dart # programming # opensource Comments Add Comment 2 min read Creating Spotlight Tutorials in Flutter: The Complete Guide to Selective Overlays Thanasis Traitsis Thanasis Traitsis Thanasis Traitsis Follow Jan 11 Creating Spotlight Tutorials in Flutter: The Complete Guide to Selective Overlays # flutter # dart # tutorial # coding Comments Add Comment 12 min read Release Week From Hell: Clean code + automation for shipping Flutter apps Anindya Obi Anindya Obi Anindya Obi Follow Jan 9 Release Week From Hell: Clean code + automation for shipping Flutter apps # flutter # dart # android # ios Comments Add Comment 3 min read Build a Robust Offline-First Flutter App with BLoC, Dio, and Sqflite ghamdan ghamdan ghamdan Follow Jan 10 Build a Robust Offline-First Flutter App with BLoC, Dio, and Sqflite # flutter # dart # mobile # tutorial Comments Add Comment 7 min read I Built a Privacy-First Note-Taking App with Flutter — Here's What I Learned PRANTA Dutta PRANTA Dutta PRANTA Dutta Follow Jan 9 I Built a Privacy-First Note-Taking App with Flutter — Here's What I Learned # flutter # dart # mobile # privacy Comments Add Comment 4 min read FlutterFlow's AI Future is DreamFlow. Its AI Present is This. Stuart Stuart Stuart Follow Jan 9 FlutterFlow's AI Future is DreamFlow. Its AI Present is This. # ai # flutter # dart # programming Comments Add Comment 3 min read How to Add Comments to a Flutter App Without a Backend Joris Obert Joris Obert Joris Obert Follow Jan 8 How to Add Comments to a Flutter App Without a Backend # flutter # dart # mobile # saas Comments Add Comment 3 min read AI-Native Apps: Vertex AI and Flutter Integration Nick Peterson Nick Peterson Nick Peterson Follow Jan 6 AI-Native Apps: Vertex AI and Flutter Integration # ai # flutter # backend # fullstack Comments Add Comment 6 min read Flutter package for advanced canvas editing opensource Vladislav Enev Vladislav Enev Vladislav Enev Follow Jan 10 Flutter package for advanced canvas editing opensource # programming # flutter # opensource # dart Comments Add Comment 1 min read Build a Flutter Live Streaming App Using ZEGOCLOUD (Like Chat & Video Call Apps) Hazem Hamdy Hazem Hamdy Hazem Hamdy Follow Jan 4 Build a Flutter Live Streaming App Using ZEGOCLOUD (Like Chat & Video Call Apps) # flutter # zegocloud # livestreaming # webdev Comments Add Comment 12 min read Solving the UI Customization Nightmare in Flutter Enterprise Apps Tejas Tejas Tejas Follow Jan 2 Solving the UI Customization Nightmare in Flutter Enterprise Apps # appdev # flutter # dart # architecture 8 reactions Comments Add Comment 3 min read 5 Flutter Architecture Mistakes That Only Appeared After Release Abdul Wahab Abdul Wahab Abdul Wahab Follow Jan 1 5 Flutter Architecture Mistakes That Only Appeared After Release # flutter # architecture # productivity # startup Comments Add Comment 3 min read building Drosk - your smart desktop file organizer exoad exoad exoad Follow Jan 6 building Drosk - your smart desktop file organizer # showdev # flutter # programming 1 reaction Comments Add Comment 1 min read How to Implement Onboarding Mascots in Flutter with Rive Praneeth Kawya Thathsara Praneeth Kawya Thathsara Praneeth Kawya Thathsara Follow Dec 31 '25 How to Implement Onboarding Mascots in Flutter with Rive # flutter # dart # rive # riveanimation Comments Add Comment 3 min read How Duolingo-Style Character Animations Are Built in Rive And How Product Teams Integrate Them into Mobile Apps Praneeth Kawya Thathsara Praneeth Kawya Thathsara Praneeth Kawya Thathsara Follow Dec 31 '25 How Duolingo-Style Character Animations Are Built in Rive And How Product Teams Integrate Them into Mobile Apps # duoling # riveanimation # flutter # mobileapp Comments Add Comment 3 min read I Built an AI Boardroom App in 8 Hours with Flutter & AI 🚀 (Open Source) Sayed Ali Alkamel Sayed Ali Alkamel Sayed Ali Alkamel Follow Jan 5 I Built an AI Boardroom App in 8 Hours with Flutter & AI 🚀 (Open Source) # flutter # dart # ai # mobile 5 reactions Comments Add Comment 4 min read Flutter Development Basics - Getting Started dss99911 dss99911 dss99911 Follow Dec 31 '25 Flutter Development Basics - Getting Started # mobile # common # flutter # dart Comments Add Comment 1 min read How Much Does Custom Mascot Animation Cost? Praneeth Kawya Thathsara Praneeth Kawya Thathsara Praneeth Kawya Thathsara Follow Dec 31 '25 How Much Does Custom Mascot Animation Cost? # riveanimation # mascotanimation # animation # flutter Comments Add Comment 4 min read Flutter SaaS Starter Kit — Launch a SaaS MVP in Days Mehmet Çelik Mehmet Çelik Mehmet Çelik Follow Dec 30 '25 Flutter SaaS Starter Kit — Launch a SaaS MVP in Days # saas # startup # tooling # flutter Comments Add Comment 1 min read Flutter vs React Native: Choosing the Right Cross-Platform Framework Emma Trump Emma Trump Emma Trump Follow Dec 29 '25 Flutter vs React Native: Choosing the Right Cross-Platform Framework # flutter # mobile # reactnative Comments Add Comment 3 min read My First Open Source Project: Bringing Flutter Layouts to React Nishan Bhuinya Nishan Bhuinya Nishan Bhuinya Follow Dec 28 '25 My First Open Source Project: Bringing Flutter Layouts to React # react # opensource # flutter # webdev 3 reactions Comments Add Comment 3 min read The Developer's Guide to Actually Private Apps: No Cloud, No Analytics, No Tracking Karol Burdziński Karol Burdziński Karol Burdziński Follow Dec 28 '25 The Developer's Guide to Actually Private Apps: No Cloud, No Analytics, No Tracking # security # privacy # mobile # flutter 1 reaction Comments Add Comment 19 min read 8 Places Where Flutter / React Native Save You Weeks Dev. Resources Dev. Resources Dev. Resources Follow Dec 27 '25 8 Places Where Flutter / React Native Save You Weeks # webdev # programming # flutter # reactnative 5 reactions Comments Add Comment 7 min read loading... trending guides/resources 7 Best Resources to Learn Flutter: My Way to Confident Developer How Impeller Is Transforming Flutter UI Rendering in 2026 AI Dev: Plan Mode vs. SDD — A Weekend Experiment Flutter Development Setup for WSL2 + Windows Android Studio (Complete Guide) 안드로이드 개발자가 빠르게 적용할 수 있는 Flutter 프로젝트 구성 Patrol: The Flutter Testing Framework That Changes Everything Transforming Figma Designs into Flutter Code Using AI ⚔️ “Flutter vs React Native 2025: Who Wins the Cross-Platform War?” 🚀 Best Free & Open Source Flutter Admin Dashboard Template for 2026 Backend-Driven Localization in Flutter: A Production-Ready Implementation Guide Make Games with Flutter in 2025: Flame Engine, Tools, and Free Assets Stop Losing Users to Silent Crashes: Introducing crash_reporter for Flutter 💻 Flutter V2Ray Client Desktop Plugin — V2Ray/Xray & Sing-Box VPN for Windows, macOS, Linux Don't Build Just Another Chatbot: Architecting a "Duolingo-Style" AI Companion with Rive Building a Secure Crypto Payment Gateway with Node.js and Flutter Flutter: Essential widgets Flutter vs React Native: Which Is Better for Cross-Platform App Development in 2026? Changing Screen Color on Tap — My Flutter Learning Journey Mobile App Trends 2025: The Complete Developer Guide to UI/UX, AI, and Beyond Not Just a WebView: Building a Native Engine on Flutter to Convert Sites to Apps with SDUI 💎 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:47:44 |
https://dev.to/a-cup-of-code-podcast/resources-for-women-facing-abuse-and-harassment-in-the-workplace#main-content | Resources for Women Facing Abuse and Harassment in the Workplace - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close A Cup of Code Podcast Follow Resources for Women Facing Abuse and Harassment in the Workplace Apr 27 '21 play Here in this special bonus episode, before we kick off Season 2, I want to talk about something that has been on my heart for awhile…harassment and abuse in the workplace. It’s a really rough topic to address and can be approached in many ways. I have a few things to share here on this topic. But before we get started, If you are suffering today, I want you to know that there are people out there who really care, who have devoted their lives and resources to helping many in abusive circumstances. So today just for you, I’ll be sharing some tips and resources on where you can find help if you are a woman who is facing abuse or harassment. --- This episode is sponsored by · Anchor: The easiest way to make a podcast. https://anchor.fm/app Support this podcast: https://anchor.fm/acupofcodepodcast/support 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:47:44 |
https://dev.to/t/rust | Rust - 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 Rust Follow Hide This tag is for posts related to the Rust programming language, including its libraries. Create Post submission guidelines All articles and discussions should be about the Rust programming language and related frameworks and technologies. Questions are encouraged! Including the #help tag will make them easier to find. about #rust Rust is a multi-paradigm programming language designed for performance and safety, especially safe concurrency. Older #rust posts 1 2 3 4 5 6 7 8 9 … 75 … 232 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu I built a WASM execution firewall for AI agents — here’s why Xnfinite Xnfinite Xnfinite Follow Jan 10 I built a WASM execution firewall for AI agents — here’s why # discuss # typescript # rust # ai Comments Add Comment 2 min read Announcing Kreuzberg v4 TI TI TI Follow Jan 12 Announcing Kreuzberg v4 # opensource # python # rust # ai Comments Add Comment 3 min read Deploy to Raspberry Pi in One Command: Building a Rust-based Deployment Tool Kazilsky Kazilsky Kazilsky Follow Jan 12 Deploy to Raspberry Pi in One Command: Building a Rust-based Deployment Tool # automation # devops # rust # tooling 2 reactions Comments 3 comments 3 min read Anya Volkov: Implementando ZK-SNARKs para Privacidade Financeira com Rust Anya Volkov Anya Volkov Anya Volkov Follow Jan 12 Anya Volkov: Implementando ZK-SNARKs para Privacidade Financeira com Rust # anyavolkov # rust # zksnarks # devops Comments Add Comment 1 min read Bridging Rust and PHP with whyNot: A Learner’s Journey Milton Vafana Milton Vafana Milton Vafana Follow Jan 11 Bridging Rust and PHP with whyNot: A Learner’s Journey # rust # php # interoperability # learning 1 reaction Comments Add Comment 4 min read Unsafe Rust: When and Why Aviral Srivastava Aviral Srivastava Aviral Srivastava Follow Jan 11 Unsafe Rust: When and Why # learning # performance # rust Comments Add Comment 8 min read Rustnite: Turning Rust Learning Into a Battle Royale Milton Vafana Milton Vafana Milton Vafana Follow Jan 11 Rustnite: Turning Rust Learning Into a Battle Royale # rust # learning # programming # webapp 1 reaction Comments Add Comment 2 min read Rust Ownership & Design Mistakes That Break Blockchain Programs Progress Ochuko Eyaadah Progress Ochuko Eyaadah Progress Ochuko Eyaadah Follow Jan 10 Rust Ownership & Design Mistakes That Break Blockchain Programs # blockchain # security # devsecurity # rust 3 reactions Comments Add Comment 4 min read So You're a Ruby/Python Dev Learning Rust's Option Type Dev TNG Dev TNG Dev TNG Follow Jan 9 So You're a Ruby/Python Dev Learning Rust's Option Type # learning # ruby # rust # python Comments Add Comment 4 min read Heineken: Why classic Java is right and YOU ARE WRONG rkeeves rkeeves rkeeves Follow Jan 9 Heineken: Why classic Java is right and YOU ARE WRONG # algorithms # java # rust Comments Add Comment 13 min read FreePascal/Lazarus and Rust Integration Davide Del Papa Davide Del Papa Davide Del Papa Follow Jan 5 FreePascal/Lazarus and Rust Integration # rust # lazarus # pascal # ffi 1 reaction Comments Add Comment 7 min read Stop Writing Glue Code: One Rust Core for Python & Node.js 🦀 KOLOG B Josias Yannick KOLOG B Josias Yannick KOLOG B Josias Yannick Follow Jan 8 Stop Writing Glue Code: One Rust Core for Python & Node.js 🦀 # rust # python # javascript # opensource Comments Add Comment 3 min read Rust Series01 - Ownership is what you need to know Kevin Sheeran Kevin Sheeran Kevin Sheeran Follow Jan 10 Rust Series01 - Ownership is what you need to know # programming # rust # web3 # blockchain Comments Add Comment 1 min read Rust: Transparent Wrappers with Deref Coercion Anton Dolganin Anton Dolganin Anton Dolganin Follow Jan 8 Rust: Transparent Wrappers with Deref Coercion # rust # deref # newtype Comments Add Comment 1 min read 7 Essential Rust Libraries for Building High-Performance Backends James Miller James Miller James Miller Follow Jan 8 7 Essential Rust Libraries for Building High-Performance Backends # rust # programming # webdev # beginners 1 reaction Comments Add Comment 6 min read How I Reduced Friction in My Studies Using AI, Rust, and Obsidian. Gabriel Santos Gabriel Santos Gabriel Santos Follow Jan 9 How I Reduced Friction in My Studies Using AI, Rust, and Obsidian. # ai # rust # obsidian # notes 1 reaction Comments 2 comments 2 min read DLMan :: the download manager I always wanted Shayan Shayan Shayan Follow Jan 8 DLMan :: the download manager I always wanted # programming # opensource # rust # tauri Comments Add Comment 2 min read Rust Macros System Aviral Srivastava Aviral Srivastava Aviral Srivastava Follow Jan 12 Rust Macros System # automation # productivity # rust # tutorial 1 reaction Comments 1 comment 9 min read Debugging MCP Tool Calls Sucks: Reticle Is “Wireshark for MCP” LabtTerminal LabtTerminal LabtTerminal Follow Jan 6 Debugging MCP Tool Calls Sucks: Reticle Is “Wireshark for MCP” # mcp # ai # devtools # rust Comments Add Comment 5 min read ClovaLink — Enterprise File Storage without the price tag Don Don Don Follow Jan 6 ClovaLink — Enterprise File Storage without the price tag # opensource # rust # enterprise # devops 10 reactions Comments Add Comment 1 min read Why Rust? Cyrus Tse Cyrus Tse Cyrus Tse Follow Jan 7 Why Rust? # performance # rust # security 1 reaction Comments Add Comment 3 min read I created a LRU caching server in Rust imduchuyyy 🐬 imduchuyyy 🐬 imduchuyyy 🐬 Follow Jan 6 I created a LRU caching server in Rust # rust # redis # lru Comments Add Comment 3 min read I built a "Vibe-Based" Notepad with Tauri v2 (It weighs 4MB) Aditya Pandey Aditya Pandey Aditya Pandey Follow Jan 5 I built a "Vibe-Based" Notepad with Tauri v2 (It weighs 4MB) # showdev # opensource # productivity # rust Comments Add Comment 2 min read Search-Scrape: A privacy-first, Rust-native search & scraping MCP for AI assistants Thanon Aphithanawat (Hero) Thanon Aphithanawat (Hero) Thanon Aphithanawat (Hero) Follow Jan 6 Search-Scrape: A privacy-first, Rust-native search & scraping MCP for AI assistants # programming # mcp # rust # ai Comments Add Comment 5 min read I Built a CLI to Capture Website Screenshots From The Terminal Erik Erik Erik Follow Jan 6 I Built a CLI to Capture Website Screenshots From The Terminal # showdev # rust # webdev # productivity 5 reactions Comments 1 comment 3 min read loading... trending guides/resources Is Unsafe the Original Sin? A Deep Dive into the First CVE After Rust Entered the Linux Kernel Will WebAssembly Kill JavaScript? Let’s Find Out (+ Live Demo) 🚀 Rust Lifetimes Explained Rust CRUD Rest API, using Axum, sqlx, Postgres, Docker and Docker Compose Redox OS: Is the Future of Operating Systems Written in Rust? GPUI Component: Because Desktop Apps Shouldn't Make You Cry Advent of Code 2025 Day 2: Gift Shop 🎁 Ziglang is so cool: Why I'm Going All-In on Zig Building Sentence Transformers in Rust: A Practical Guide with Burn, ONNX Runtime, and Candle Game development with SpecKit, Rust and Bevy Deploy Rust Agent to AWS AgentCore Runtime with GitHub actions What is HFT (High Frequency Trading) and how can we implement it in Rust. Agentgateway Review: A Feature-Rich New AI Gateway Advent of Code 2025 - Day 1: The Combination Lock Go vs. Rust for TUI Development: A Deep Dive into Bubbletea and Ratatui Tetris for Logistics: solving the 3D Bin Packing Problem with Rust 🦀 How We Built The First Open-Source Rust Core Agentic AI Framework Meetily vs Otter.ai: Privacy-First Alternative for 2025 Building a Python @trace Decorator in Rust MoonBit: A Modern Language for WebAssembly/JS/Native 💎 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:47:44 |
https://developer.x.com/docs | Welcome to the X Developer Platform - X Skip to main content X home page English Search... ⌘ K Ask AI Support Developer portal Developer portal Search... Navigation Getting Started Welcome to the X Developer Platform Home X API X Ads API XDKs Tutorials Use Cases Success Stories Status Changelog Developer Portal Forums GitHub Getting Started Overview Fundamentals Apps Projects Developer Portal Authentication Counting characters Rate limits X IDs Security Partners & Customers Partner Directory Customer Directory Request Access Resources Tools and Libraries Tutorials Newsletter Livestreams Billing Support Developer Terms Getting Started Welcome to the X Developer Platform Copy page Copy page Build, analyze, and innovate with X’s real-time, global data and APIs. Whether you’re creating new apps, integrating with X, or analyzing trends, our platform gives you the tools to get started quickly. Python and TypeScript XDKs: Now Available Streamline your development workflow with the official SDKs of the X API! Learn more Jump right in Get started quickly with these popular resources and guides. Quickstart Create an API key and make your first request to the X API in minutes. Get started Tutorials Step-by-step guides for common use cases and integrations. Browse tutorials Tools & SDKs Official and community libraries to speed up your development. See tools Products Explore the main products of the X Developer Platform. Each product is designed to help you build, analyze, and integrate with X in different ways. X API Programmatic access to X’s core data: posts, users, spaces, DMs, lists, trends, media, and more. X Ads API Automate and manage ad campaigns, targeting, creatives, and analytics on the X Ads platform. X for Websites Embed X content, timelines, and engagement tools directly into your website or app. Support & Community Support hub — Troubleshooting, FAQs, and contact info Developer forum — Join the conversation Newsletter - Get monthly updates Stay informed API status Changelog Apps ⌘ I X home page x github Terms of Service Privacy Policy Cookies Developer Terms x github | 2026-01-13T08:47:44 |
https://dev.to/t/beginners/page/3 | Beginners Page 3 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Beginners Follow Hide "A journey of a thousand miles begins with a single step." -Chinese Proverb Create Post submission guidelines UPDATED AUGUST 2, 2019 This tag is dedicated to beginners to programming, development, networking, or to a particular language. Everything should be geared towards that! For Questions... Consider using this tag along with #help, if... You are new to a language, or to programming in general, You want an explanation with NO prerequisite knowledge required. You want insight from more experienced developers. Please do not use this tag if you are merely new to a tool, library, or framework. See also, #explainlikeimfive For Articles... Posts should be specifically geared towards true beginners (experience level 0-2 out of 10). Posts should require NO prerequisite knowledge, except perhaps general (language-agnostic) essentials of programming. Posts should NOT merely be for beginners to a tool, library, or framework. If your article does not meet these qualifications, please select a different tag. Promotional Rules Posts should NOT primarily promote an external work. This is what Listings is for. Otherwise accepable posts MAY include a brief (1-2 sentence) plug for another resource at the bottom. Resource lists ARE acceptable if they follow these rules: Include at least 3 distinct authors/creators. Clearly indicate which resources are FREE, which require PII, and which cost money. Do not use personal affiliate links to monetize. Indicate at the top that the article contains promotional links. about #beginners If you're writing for this tag, we recommend you read this article . If you're asking a question, read this article . Older #beginners posts 1 2 3 4 5 6 7 8 9 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu How Speed Finally Made My Character Feel Alive Dinesh Dinesh Dinesh Follow Jan 12 How Speed Finally Made My Character Feel Alive # gamedev # unrealengine # beginners # animation Comments Add Comment 2 min read Unlocking the Power of Inheritance in Python Visakh Vijayan Visakh Vijayan Visakh Vijayan Follow Jan 12 Unlocking the Power of Inheritance in Python # beginners # programming # python # tutorial Comments Add Comment 2 min read **More Than a Bootcamp: Why I Chose the German 'Umschulung' Path into Tech** Ali-Funk Ali-Funk Ali-Funk Follow Jan 11 **More Than a Bootcamp: Why I Chose the German 'Umschulung' Path into Tech** # watercooler # career # devops # beginners Comments Add Comment 3 min read EU Digital Omnibus: New Requirements for Websites and Online Services Mehwish Malik Mehwish Malik Mehwish Malik Follow Jan 12 EU Digital Omnibus: New Requirements for Websites and Online Services # webdev # ai # beginners # productivity 17 reactions Comments Add Comment 3 min read Who is Krishna Mohan Kumar? | Full Stack Developer & B.Tech CSE Student Krishna Mohan Kumar Krishna Mohan Kumar Krishna Mohan Kumar Follow Jan 12 Who is Krishna Mohan Kumar? | Full Stack Developer & B.Tech CSE Student # webdev # beginners # portfolio # google Comments Add Comment 1 min read Sharing: How to Build Competitiveness and Soft Skills, and Write a Good Resume Evan Lin Evan Lin Evan Lin Follow Jan 11 Sharing: How to Build Competitiveness and Soft Skills, and Write a Good Resume # learning # beginners # writing # career Comments Add Comment 9 min read Sharing a Talk: "How to Build Your Own Open Source Project" Evan Lin Evan Lin Evan Lin Follow Jan 11 Sharing a Talk: "How to Build Your Own Open Source Project" # beginners # opensource # softwaredevelopment Comments Add Comment 7 min read Sharing: "How to Build Your Own Open Source Project" Evan Lin Evan Lin Evan Lin Follow Jan 11 Sharing: "How to Build Your Own Open Source Project" # beginners # opensource # tutorial Comments Add Comment 11 min read Singleton vs Observer Pattern: When and Why to Use Each Arun Teja Arun Teja Arun Teja Follow Jan 11 Singleton vs Observer Pattern: When and Why to Use Each # architecture # beginners # javascript Comments Add Comment 3 min read Singleton vs Observer Pattern: When and Why to Use Each Arun Teja Arun Teja Arun Teja Follow Jan 11 Singleton vs Observer Pattern: When and Why to Use Each # architecture # beginners # javascript Comments Add Comment 3 min read Observer Pattern Explained Simply With JavaScript Examples Arun Teja Arun Teja Arun Teja Follow Jan 11 Observer Pattern Explained Simply With JavaScript Examples # designpatterns # javascript # beginners # programming Comments Add Comment 3 min read The Non-Drinker's Guide to Clustering Algorithms 🎉 Seenivasa Ramadurai Seenivasa Ramadurai Seenivasa Ramadurai Follow Jan 11 The Non-Drinker's Guide to Clustering Algorithms 🎉 # algorithms # beginners # datascience # machinelearning Comments Add Comment 2 min read My First Beginner Projects Vivash Kshitiz Vivash Kshitiz Vivash Kshitiz Follow Jan 12 My First Beginner Projects # discuss # beginners # python # learning Comments Add Comment 1 min read Accounting 101: Learn how to build financial applications Favor Onuoha Favor Onuoha Favor Onuoha Follow Jan 11 Accounting 101: Learn how to build financial applications # beginners # fintech Comments Add Comment 10 min read Sitemaps & robots.txt: The Secret to Faster, Smarter Scraping Muhammad Ikramullah Khan Muhammad Ikramullah Khan Muhammad Ikramullah Khan Follow Jan 11 Sitemaps & robots.txt: The Secret to Faster, Smarter Scraping # webdev # programming # python # beginners Comments Add Comment 10 min read [TIL][Android] Common Android Studio Project Opening Issues Evan Lin Evan Lin Evan Lin Follow Jan 11 [TIL][Android] Common Android Studio Project Opening Issues # help # beginners # android # kotlin Comments Add Comment 2 min read APCSCamp 2021: How to Learn Programming and Intern at LINE Evan Lin Evan Lin Evan Lin Follow Jan 11 APCSCamp 2021: How to Learn Programming and Intern at LINE # learning # beginners # career # programming Comments Add Comment 10 min read LINE Platform and Messaging API Introduction - 2022 Evan Lin Evan Lin Evan Lin Follow Jan 11 LINE Platform and Messaging API Introduction - 2022 # beginners # api # tutorial # programming Comments Add Comment 3 min read Digital Certificate Wallet: Beginner's Guide Evan Lin Evan Lin Evan Lin Follow Jan 11 Digital Certificate Wallet: Beginner's Guide # beginners # security # privacy # mobile Comments Add Comment 2 min read JSON vs. XML for APIs: Key Differences Explained for Beginners CodeItBro CodeItBro CodeItBro Follow Jan 11 JSON vs. XML for APIs: Key Differences Explained for Beginners # webdev # programming # beginners # tutorial Comments Add Comment 10 min read My first post lol bhennyhayman bhennyhayman bhennyhayman Follow Jan 11 My first post lol # webdev # javascript # beginners Comments Add Comment 1 min read AWS IAM basics explained with real examples Sahinur Sahinur Sahinur Follow Jan 11 AWS IAM basics explained with real examples # aws # beginners # security Comments Add Comment 5 min read AWS Pricing Models Explained: (A Beginner's Guide) chandra penugonda chandra penugonda chandra penugonda Follow Jan 11 AWS Pricing Models Explained: (A Beginner's Guide) # beginners # tutorial # cloud # aws Comments Add Comment 8 min read Turning Database Schemas into Diagrams & Docs — Open for Early Feedback Rushikesh Bodakhe Rushikesh Bodakhe Rushikesh Bodakhe Follow Jan 11 Turning Database Schemas into Diagrams & Docs — Open for Early Feedback # webdev # programming # ai # beginners 1 reaction Comments Add Comment 1 min read HTTP Caching Explained (The Way I Learned It in Production) Nishar Arif Nishar Arif Nishar Arif Follow Jan 11 HTTP Caching Explained (The Way I Learned It in Production) # beginners # webdev # tutorial # performance 1 reaction Comments Add Comment 4 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:44 |
https://docs.devcycle.com/platform/feature-flags/status-and-lifecycle | Status and 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 Home Getting Started Essentials DevCycle Overview Key Features System Architecture Feature Hierarchy Feature Types Platform Feature Flags Features Variables and Variations Targeting Status and Lifecycle Stale Feature Notifications Experimentation Account Management Security and Guardrails Testing and QA Extras Examples Platform Feature Flags Status and Lifecycle On this page Feature Status and Lifecycle Management In DevCycle, Features have Statuses that indicate their current position in the feature lifecycle. Statuses provide a clear, at-a-glance understanding of where a Feature is in its development, release, and cleanup process. Each Status belongs to a Status Category , which defines how the Feature behaves, what actions are allowed, and how it is displayed across the dashboard. Statuses Every Feature in DevCycle always has one Status , which determines its lifecycle stage. By default, DevCycle provides a set of predefined Statuses aligned to core lifecycle categories. The default Statuses are: Development Live Completed Archived In addition to the default Statuses, teams can define custom Statuses within their Project settings. This allows teams to better align Feature lifecycle tracking with their internal development and release processes while preserving DevCycle's lifecycle guarantees. Each custom Status inherits the behavior of their Category. Status changes are not automatic and are always managed explicitly by the user. Status Categories Statuses are grouped into Categories , which define shared lifecycle behavior. Development This Category represents Features that are actively being built, tested, or prepared for release. By default, new Features are created with the Development Status. While a Feature is in Development, all Targeting rules and Variations remain editable. This stage is typically used while work is ongoing and before a Feature is considered ready for a broader release. Below are some examples of different Statuses that would make sense in the Development Category: In Development Pending Design QA Internal Testing Live The Live Category represents Features that are actively running in production or being exposed to users. While a Feature is Live, all Targeting rules and Variations remain editable. Below are some examples of different Statuses that would make sense in the Live Category: Beta Ramping In Production Live Experiment Completed The Completed Category represents Features that have reached the end of active development and rollout. A Feature may be considered Completed once it has been tested, approved, and is fully released, or when no further targeting changes are expected. When a Feature is moved into a Status within the Completed Category, it enters a semi-read-only state : A single final (release) Variation must be selected All Environments will serve this Variation to all users Targeting rules are replaced with an "All users" rule New targeting rules and Variations cannot be added Variable values may still be edited Environments can still be toggled on or off When using the CLI to generate TypeScript types, Variables belonging to a Feature in the Completed Category will be marked as deprecated . Below are some examples of different Statuses that would make sense in the Completed Category: Ready for Cleanup All Users Enabled Stable Release Cleanup Checklist Upon entering a Completed Status, a cleanup checklist is shown for each Variable associated with the Feature. This checklist helps teams determine when it is safe to remove Variables from their codebase or archive them. If a Variable is still referenced in code or evaluated in production, removing it may result in default values being served. If Code References are enabled, additional context will be provided to assist with cleanup. Archived The Archived Category represents the terminal lifecycle state for Features. This Category and Status cannot be edited or changed. A Feature should be archived once it has been fully cleaned up and its Variables have been removed from the codebase. When a Feature is Archived: It becomes fully read-only It is hidden from standard dashboard views Audit Logs remain accessible for historical reference Metrics & Reach data will not be visible on the dashboard for Archived features Archiving Features helps keep both your dashboard and codebase clean while preserving valuable lifecycle history. Note: Feature deletion still exists, but should only be used for mistakes. Deleting a Feature permanently removes it and its Audit Log. Archived Features retain historical data that may be used for future reporting and analysis. Changing Status Moving a Feature to Completed When a Feature is moved into the Completed Category: A final Variation must be selected All Environments serve that Variation to all users Existing Environment statuses are preserved Targeting rules are replaced with a single "All users" rule Additional Variations and targeting rules are locked Reverting to Development or Live Features in the Completed Category can be reverted back to an earlier Status. When reverting: Previous Variations become available again Changes made to Variable values while Completed are retained Prior targeting rules are not restored and must be reconfigured Viewing Features by Status (Kanban View) On the Feature list page, users can switch between a List view and a Kanban-style view that displays Features grouped by their current Status, allowing teams to quickly visualize progress across the Feature lifecycle. In this view: Each column represents a Feature Status Each column header includes a total count of Features in each Status Features appear as cards within the column matching their current Status, and can be sorted differently by selected criteria Columns are ordered based on the Status order defined in Project Settings Status colors are reflected in the column headers for quick visual scanning This view is intended for high-level lifecycle tracking and workflow management. Selecting a Feature card opens the Feature detail view for configuration, targeting, and Variable management. Managing Statuses Statuses are managed at the Project level and apply to all Features within that Project. Each Project starts with a default set of Statuses aligned to DevCycle's lifecycle categories. Teams may customize these Statuses to better reflect their internal workflows. Project Settings Statuses can be viewed and managed from the Project Settings page under the Feature Statuses section. From this page, users can: View all Statuses grouped by Category Create new custom Statuses within supported Categories Edit existing Status names (Note: each Status must have a unique key) Reorder Statuses within a Category Assign colors to Statuses for quick visual identification Add a description to provide context behind what a Status represents Select the default Status applied when a new Feature is created Changes made in Project Settings take effect immediately and apply across the Project. Status Categories and Rules Statuses must belong to one of DevCycle's predefined Categories. The following rules apply: New Categories cannot be created Each Category must contain at least one Status The last remaining Status in a Category cannot be deleted Status labels and ordering within a Category can be modified Permissions for Status Changes Permission Rules When permissions are enabled: Statuses in the Development and Live Categories can be applied by any user with access to the Project Statuses in the Completed and Archived Categories can only be applied by users with the Publisher permission Only Publishers can create, and modify Feature Statuses in the Project Settings Edit this page Last updated on Jan 9, 2026 Previous EdgeDB (Stored Custom Properties) Next Stale Feature Notifications Statuses Status Categories Development Live Completed Archived Changing Status Moving a Feature to Completed Reverting to Development or Live Viewing Features by Status (Kanban View) Managing Statuses Project Settings Permissions for Status Changes DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:47:44 |
https://www.linkedin.com/shareArticle?mini=true&url=https%3A%2F%2Fdev.to%2Fmiltivik%2Fhow-i-built-a-high-performance-social-api-with-bun-elysiajs-on-a-5-vps-handling-36k-reqsmin-5do4&title=How%20I%20built%20a%20high-performance%20Social%20API%20with%20Bun%20%26%20ElysiaJS%20on%20a%20%245%20VPS%20%28handling%203.6k%20reqs%2Fmin%29&summary=The%20Goal%20%20%20I%20wanted%20to%20build%20a%20%22Micro-Social%22%20API%E2%80%94a%20backend%20service%20capable%20of%20handling...&source=DEV%20Community | LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) | 2026-01-13T08:47:44 |
https://readphilosophy.org/?w=course%2Fmilesians%2Fthales%2Fthales | Read Philosophy 💬 Hey Bugs? Works? Features? Send 📚 📖 Library 🎓 Study 🔮 Search 🎲 Games (Soon) New 🏛️ Classical ✝️ Church 🌃 Modern ❤️ Saved All None Anaximander Xenophanes Heraclitus Parmenides Empedocles Plato Aristotle Epicurus Cleanthes Cicero Seneca Clement of Rome Ignatius of Antioch Epictetus Polycarp Aristides of Athens Justin Martyr Theophilus of Antioch Tatian Marcus Aurelius Athenagoras of Athens Irenaeus of Lyons Clement of Alexandria Tertullian Hippolytus Origen Cyprian of Carthage Plotinus Athanasius Basil the Great Gregory of Nazianzus Gregory of Nyssa Ambrose John Chrysostom Jerome Augustine of Hippo Cyril of Alexandria Sallustius Leo the Great Proclus Boethius Benedict of Nursia Gregory the Great Pseudo-Dionysius John of Damascus Anselm of Canterbury Thomas Aquinas Meister Eckhart Descartes Richard Baxter Spinoza John Locke Isaac Newton Leibniz George Berkeley Hume Fichte Hegel Nietzsche The nature of man The nature of God What is goodness? What is spirit? What is soul? What is mind? What is space and time? Why does mankind exist? What's the difference between man and animal? How does the divine simplicity work? Is choice an illusion? 📣 Introduction ✨ Study Overview 🧠 What is Philosophy? 🏛️ Ancient 600 BC - 400 AD 🌊 Pre-Socratics 🌱 Plato 🌲 Aristotle 🗿 Stoics 🍇 Epicureans 🤔 Skeptics 🌀 Neo-Platonists 🏰 Medieval 400 - 1400 AD ✝️ Patristics ✝️ Scholastics 🏙️ Modern 1400 - 1900 AD 🧮 Rationalism 🔭 Empiricism 💭 German Idealism 🃏 Existentialism Who's Idea was that? Test your knowledge by linking key ideas to their thinkers What Concept? Identify philosophical concepts from their descriptions Discord 💌 Donate 🎓 Free Philosophy Course New Learn about Thales of Miletus! Start Module 📚 Simple Access to Philosophy 60+ Authors and 1500+ works Start Learning ✦ Search Ideas Across Philosophy Find passages on any topic Aquinas's Summa Theologica According to Aristotle, it belongs to wisdom (philosophy) to consider the highest cause. By means of that cause we are able to form a most certain judgment about other causes, and according thereto all things should be set in order. See full passage ✨ Berkeley's Treatise on Knowledge Philosophy being nothing else but the study of Wisdom and Truth, it may with reason be expected, that those who have spent most Time and Pains in it should enjoy a greater calm and serenity of Mind, a greater clearness and evidence of Knowledge, and be less disturbed with Doubts and Difficulties than other Men. See full passage ✨ Hegel's History of Philosophy The ultimate aim and business of philosophy is to reconcile thought or the Notion with reality. See full passage ✨ Nietzsche's Ecco Homo Philosophy, as I have understood it hitherto, is a voluntary retirement into regions of ice and mountain-peaks—the seeking—out of everything strange and questionable in existence, everything upon which, hitherto, morality has set its ban. See full passage ✨ Read Philosophy Bookmark --> --> THEME Dark Light Emojis Off COLOR Background Color Text Color FONT System Roboto Helvetica Times Georgia Palatino 18px 22px 28px 32px 42px ALIGN Reset | 2026-01-13T08:47:44 |
https://ismaeldesign.framer.website/ | Ismael Medina Hello, I’m Ismael Delighted to have you explore my portfolio I craft standout designs for early-stage ventures. Hello, I’m Ismael Delighted to have you explore my portfolio I craft standout designs for early-stage ventures. Hello, I’m Ismael Delighted to have you explore my portfolio I craft standout designs for early-stage ventures. Book a short call Book a short call Featured Projects ');opacity:0.5"> Revitalizing Customer Engagement for Storeit Featured Projects Revitalizing Customer Engagement for Storeit Featured Projects Revitalizing Customer Engagement for Storeit Designer. Builder. Lifelong learner. Hey! I’m Ismael — a designer and full-stack developer passionate about building thoughtful digital experiences. I started out in visual arts, but over time my path naturally expanded into product design, front-end, and back-end development. These days, I collaborate with teams across different industries, designing and coding everything from responsive websites to complex web apps. I work a lot with frameworks like Next.js, React, and Node.js, bridging design and development to create seamless user experiences. When I'm not deep into Figma or VSCode, you’ll probably catch me diving into fashion trends, reading about history, or reimagining interior spaces. And yep — side projects are still my thing, even if a few end up resting peacefully in my project graveyard 🥀. SKILLS Web Design Web Design Web Design Figma Figma Figma Next JS Next JS Next JS React React React Back End Back End Back End Front end Front end Front end Experience StoreIt Lead designer 2022-2024 StoreIt Lead designer 2022-2024 StoreIt Lead designer 2022-2024 My stack Framer Web design Framer Web design Framer Web design Next JS Framework Next JS Framework Next JS Framework N8N AI Automation N8N AI Automation N8N AI Automation Notion Planning Notion Planning Notion Planning Tailwind CSS framework Tailwind CSS framework Tailwind CSS framework Ikigai Communication Ikigai Communication Ikigai Communication Zen Browser Zen Browser Zen Browser Have a project idea in mind? Let’s chat about how we can bring it to life! Book a short call Back to top Have a project idea in mind? Let’s chat about how we can bring it to life! Book a short call Back to top Have a project idea in mind? Let’s chat about how we can bring it to life! Book a short call Back to top Montevideo,Uruguay 🇺🇾 2:49 PM Resume Linkedin Email Me Montevideo,Uruguay 🇺🇾 2:49 PM Create a free website with Framer, the website builder loved by startups, designers and agencies. | 2026-01-13T08:47:44 |
https://cassidoo.co/ | Cassidy Williams Cassidy Williams Software Engineer in Chicago home newsletter blog github bluesky twitter --> codepen --> linkedin patreon --> Hi! I’m Cassidy, and I like to make memes and dreams and software. I’m the Senior Director of Developer Advocacy at GitHub ! Outside of that fancy title, I’m a startup advisor and investor, open source-er, and meme-maker on the internet. I enjoy building mechanical keyboards, playing music, hanging out with my family and friends, and teaching in my free time. You should subscribe to my newsletter ! Here's my most recent posts or read a random one! A career chat with students in the age of AI Jan 10, 2026 I spoke with students at Haverford College and Bryn Mawr College about tech careers, AI, and networking. #advice #events #recommendation Toodles, 2025 Dec 31, 2025 2025 is over! Let's recap. #learning #work #personal #musings Wrapping up Blogvent 2025 Dec 24, 2025 Don't be sad that Blogvent is over, be happy that Blogvent happened. Here's all the posts I wrote in December 2025! #events #meta #personal Making the "End of Year Developer" nature documentary Dec 23, 2025 The creation of an unflinching look at the survival period of "working" during the holidays. #project #work CSS for markdown blockquote attribution Dec 22, 2025 When you generate an HTML blockquote from markdown, your resulting HTML needs some styling love. #technical Subscribe with email or with RSS ! View posts by tag #advice #personal #musings #events #recommendation #learning #work #technical #project #meta © 2026 Cassidy Williams. This site is open source ! | 2026-01-13T08:47:44 |
https://dev.to/t/beginners/page/7 | Beginners Page 7 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Beginners Follow Hide "A journey of a thousand miles begins with a single step." -Chinese Proverb Create Post submission guidelines UPDATED AUGUST 2, 2019 This tag is dedicated to beginners to programming, development, networking, or to a particular language. Everything should be geared towards that! For Questions... Consider using this tag along with #help, if... You are new to a language, or to programming in general, You want an explanation with NO prerequisite knowledge required. You want insight from more experienced developers. Please do not use this tag if you are merely new to a tool, library, or framework. See also, #explainlikeimfive For Articles... Posts should be specifically geared towards true beginners (experience level 0-2 out of 10). Posts should require NO prerequisite knowledge, except perhaps general (language-agnostic) essentials of programming. Posts should NOT merely be for beginners to a tool, library, or framework. If your article does not meet these qualifications, please select a different tag. Promotional Rules Posts should NOT primarily promote an external work. This is what Listings is for. Otherwise accepable posts MAY include a brief (1-2 sentence) plug for another resource at the bottom. Resource lists ARE acceptable if they follow these rules: Include at least 3 distinct authors/creators. Clearly indicate which resources are FREE, which require PII, and which cost money. Do not use personal affiliate links to monetize. Indicate at the top that the article contains promotional links. about #beginners If you're writing for this tag, we recommend you read this article . If you're asking a question, read this article . Older #beginners posts 4 5 6 7 8 9 10 11 12 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu You Know Python Basics—Now Let's Build Something Real Samuel Ochaba Samuel Ochaba Samuel Ochaba Follow Jan 8 You Know Python Basics—Now Let's Build Something Real # python # beginners # gamedev # programming Comments Add Comment 3 min read Understanding if, elif, and else in Python with Simple Examples Shahrouz Nikseresht Shahrouz Nikseresht Shahrouz Nikseresht Follow Jan 8 Understanding if, elif, and else in Python with Simple Examples # python # beginners # tutorial # programming Comments Add Comment 2 min read Build Your Own Local AI Agent (Part 4): The PII Scrubber 🧼 Harish Kotra (he/him) Harish Kotra (he/him) Harish Kotra (he/him) Follow Jan 8 Build Your Own Local AI Agent (Part 4): The PII Scrubber 🧼 # programming # ai # beginners # opensource Comments Add Comment 1 min read I finally Deployed on AWS Olamide Olanrewaju Olamide Olanrewaju Olamide Olanrewaju Follow Jan 8 I finally Deployed on AWS # aws # beginners # devjournal Comments Add Comment 3 min read System Design Intro #Day-1 VINAY TEJA ARUKALA VINAY TEJA ARUKALA VINAY TEJA ARUKALA Follow Jan 9 System Design Intro #Day-1 # systemdesign # beginners # computerscience # interview Comments Add Comment 2 min read Day 12: Understanding Constructors in Java Karthick Narayanan Karthick Narayanan Karthick Narayanan Follow Jan 8 Day 12: Understanding Constructors in Java # java # programming # beginners # tutorial Comments Add Comment 2 min read 7 Essential Rust Libraries for Building High-Performance Backends James Miller James Miller James Miller Follow Jan 8 7 Essential Rust Libraries for Building High-Performance Backends # rust # programming # webdev # beginners 1 reaction Comments Add Comment 6 min read Day 11: Understanding `break` and `continue` Statements in Java Karthick Narayanan Karthick Narayanan Karthick Narayanan Follow Jan 8 Day 11: Understanding `break` and `continue` Statements in Java # beginners # java # programming # tutorial Comments Add Comment 2 min read Introdução ao Deploy Yuri Peixinho Yuri Peixinho Yuri Peixinho Follow Jan 8 Introdução ao Deploy # beginners # devops # webdev Comments Add Comment 2 min read Scrapy Cookie Handling: Master Sessions Like a Pro Muhammad Ikramullah Khan Muhammad Ikramullah Khan Muhammad Ikramullah Khan Follow Jan 8 Scrapy Cookie Handling: Master Sessions Like a Pro # webdev # programming # python # beginners Comments Add Comment 7 min read Gear Up for React: Mastering the Modern Frontend Toolkit! (Day 3 – Pre-React Article 3) Vasu Ghanta Vasu Ghanta Vasu Ghanta Follow Jan 8 Gear Up for React: Mastering the Modern Frontend Toolkit! (Day 3 – Pre-React Article 3) # webdev # frontend # react # beginners Comments Add Comment 7 min read Day 9 of 100 Palak Hirave Palak Hirave Palak Hirave Follow Jan 8 Day 9 of 100 # challenge # programming # python # beginners Comments Add Comment 2 min read Why Version Control Exists: The Pendrive Problem Debashis Das Debashis Das Debashis Das Follow Jan 8 Why Version Control Exists: The Pendrive Problem # beginners # git # softwaredevelopment Comments Add Comment 3 min read System Design 101: A Clear & Simple Introduction (With a Real-World Analogy) Vishwark Vishwark Vishwark Follow Jan 8 System Design 101: A Clear & Simple Introduction (With a Real-World Analogy) # systemdesign # architecture # beginners # careerdevelopment Comments Add Comment 3 min read Learning the Foliage Tool in Unreal Engine (Day 13) Dinesh Dinesh Dinesh Follow Jan 8 Learning the Foliage Tool in Unreal Engine (Day 13) # gamedev # unrealengine # beginners # learning Comments Add Comment 2 min read Boot Process & Init Systems Shivakumar Shivakumar Shivakumar Follow Jan 8 Boot Process & Init Systems # architecture # beginners # linux Comments Add Comment 6 min read You Probably Already Know What a Monad Is Christian Ekrem Christian Ekrem Christian Ekrem Follow Jan 8 You Probably Already Know What a Monad Is # programming # frontend # functional # beginners Comments Add Comment 1 min read Course Launch: Writing Is an Important Part of Coding Prasoon Jadon Prasoon Jadon Prasoon Jadon Follow Jan 8 Course Launch: Writing Is an Important Part of Coding # programming # learning # tutorial # beginners 1 reaction Comments Add Comment 2 min read I built a permanent text wall with Next.js and Supabase. Users are already fighting. ZenomHunter123 ZenomHunter123 ZenomHunter123 Follow Jan 8 I built a permanent text wall with Next.js and Supabase. Users are already fighting. # showdev # javascript # webdev # beginners Comments Add Comment 1 min read 🎬 Build a Relax Video Generator (Images + MP3 MP4) with Python & Tkinter Mate Technologies Mate Technologies Mate Technologies Follow Jan 11 🎬 Build a Relax Video Generator (Images + MP3 MP4) with Python & Tkinter # python # desktopapp # automation # beginners 1 reaction Comments Add Comment 3 min read Code Hike in 100 Seconds Fabian Frank Werner Fabian Frank Werner Fabian Frank Werner Follow Jan 11 Code Hike in 100 Seconds # webdev # programming # javascript # beginners 12 reactions Comments Add Comment 2 min read Sliding window (Fixed length) Jayaprasanna Roddam Jayaprasanna Roddam Jayaprasanna Roddam Follow Jan 6 Sliding window (Fixed length) # programming # beginners # tutorial # learning Comments Add Comment 2 min read How To Replace Over-Complicated NgRx Stores With Angular Signals — Without Losing Control kafeel ahmad kafeel ahmad kafeel ahmad Follow Jan 7 How To Replace Over-Complicated NgRx Stores With Angular Signals — Without Losing Control # webdev # javascript # beginners # angular Comments Add Comment 27 min read AI Automation vs AI Agents: What’s the Real Difference (Explained with Real-Life Examples) Viveka Sharma Viveka Sharma Viveka Sharma Follow Jan 8 AI Automation vs AI Agents: What’s the Real Difference (Explained with Real-Life Examples) # agents # tutorial # beginners # ai 1 reaction Comments 1 comment 3 min read Why I rescheduled my AWS exam today Ali-Funk Ali-Funk Ali-Funk Follow Jan 7 Why I rescheduled my AWS exam today # aws # beginners # cloud # career Comments Add Comment 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:44 |
https://nationalcentrefordiversity.com/the-disability-employment-gap/ | The Disability Employment Gap | National Centre for Diversity Skip to content Meet 2025's Champions of Inclusion: Our Top 100 Inclusive Employers Index is Live! VIEW THE TOP 100 About Us EDI Accreditations Diversity Training About Our Diversity Training Online Diversity Training Face-To-Face Diversity Training Practitioner Led Online Diversity Training Personal Inclusivity Development Programme EDI Health Check Meet FREDIE Enquiries About Us EDI Accreditations Diversity Training About Our Diversity Training Online Diversity Training Face-To-Face Diversity Training Practitioner Led Online Diversity Training Personal Inclusivity Development Programme EDI Health Check Meet FREDIE Enquiries The Disability Employment Gap Article Overview: In 2020, the employment rate for people with disabilities was significantly lower than for those without (53.7% vs. 82.0%), with a notable pay gap where disabled workers earned £2.10 less per hour on average. Stable employment is crucial for reducing poverty and improving health, but disabled individuals often face part-time, low-paid, and insecure jobs due to discrimination and inadequate adjustments. Employers must address these gaps to ensure equitable opportunities for all, guided by the principles of the Equality Act 2010 and frameworks like FREDIE. FEEL FREE TO SHARE: In 2020 the employment gap for people with a disability was 53.7% compared to 82.0% for people without a disability. The employment gap between people with and without a disability is distinct. With not only an employment gap but also a pay gap: in 2020, workers without a disability made on average £2.10 more per hour than their colleagues with a disability. Consistent, stable employment is essential to poverty reduction, and persistent worklessness can be caused by, and in turn contribute to inequality and reduced opportunities. Inconsistent, unstable work can also have a negative impact on health and well-being. With economic uncertainty causing mental and physical strain. Inversely, stable, consistent work in which a person feels like a valued and respected member of a wider organisation or team, can have positive impacts on mental health, and a workplace that takes reasonable adjustments to meet physical demands can positively affect physical well-being. Current government policy aims to get 1 million more people with disabilities into work by 2027 There are several complex factors at play that impact the figures representing the disability gap, including trends in self-reporting health conditions, an increase in disclosures of mental health conditions and general changes in population wide unemployment. However, some key factors contribute to the trends in employment and pay gaps for people with disabilities. A higher proportion of disabled people work part-time jobs than non-disabled people. These jobs often have lower wages and are less secure than full time employment. People with disabilities are over-represented in low-paid work, such as care, leisure, sales and customer services and are under-represented in senior roles. Unlawful discrimination and social stigma produce the conditions that force people with disabilities into low-paid and insecure work. In some cases, a failure to make reasonable adjustments can mean a person’s health worsens, reducing their capacity to stay in long-term stable employment. It is essential for employers to identify the gaps in their current practices and take deliberate action to ensure that everyone has the opportunity to access stable and secure employment. Under the Equality Act 2010 you must make reasonable adjustments to accommodate people with disabilities. If you are interested in learning more about the Equality Act 2010 or how to create positive working environments for all your employees, our FREDIE The Basics E-Learning course gives a concise overview of the principles of Fairness, Respect, Equality, Diversity, Inclusion and Engagement. For a more in-depth structural approach to embedding FREDIE throughout your organisation, please contact us to learn more about our Investors in Diversity accreditation process. NEWSLETTER SIGN-UP Stay up to speed with the latest on EDI in the UK workplace from The National Centre For Diversity. First Name Email Send You might also like... Inclusion Starts With the Small Things: Why Dietary Requirements Matter More Than You Think Is It Offensive to Say “Merry Christmas”? Let’s Be Honest About Culture, Choice, and Inclusion A Christmas Message – And a Reminder That Inclusion Is Year-Round “We are delighted to receive the Silver Award, and this will play a crucial role in shaping our long-term EDI plan, supporting us on this ongoing journey.” Services used: Leaders In Diversity Tim Plumb, CEO – Polymat “It means so much to us all that we are part of change and driving EDI forward. This accreditation is something we will display with pride as we continue to work towards our goals of a fair and equal society.” Services used: Masters In Diversity Karen Cowan, Head of Corporate and Governance, and Equality, Diversity and Inclusion (EDI) lead – Ongo “Embarking on the coveted Investors in Diversity Award had two purposes for us, both of which were equally important; to gain expert independent recognition of the work we do, and to help us push the boundaries further and do more for our people.” Services used: Investors In Diversity Hilary Jones, Chief Executive – Bro Myrddin Housing Association “We are immensely proud to have earned this esteemed certification, particularly because it reflects the voices of our employees and clients. Achieving this milestone took time, effort, and resources, but ensuring equality is a commitment we strive to uphold.” Services used: Investors In Diversity Deborah Parsons, Group CEO and Sustainability & Outreach Director – Better Green Group Useful links EDI Accreditations Online Diversity Training EDI Health Check Meet FREDIE EDI Success Stories EDI News And Advice FREDIE Awards Archive EDI Accreditations Online Diversity Training EDI Health Check Meet FREDIE EDI Success Stories EDI News And Advice FREDIE Awards Archive Contact details National Centre for Diversity PO BOX 1741, Huddersfield, HD1 9GA Call: 0800 288 4717 Email: admin@iiduk.org GDPR Privacy Statement Website designed and built by Really Good Websites | 2026-01-13T08:47:44 |
https://commission.europa.eu/law/law-topic/data-protection/international-dimension-data-protection/standard-contractual-clauses-scc_en | Standard Contractual Clauses (SCC) - European Commission Skip to main content en Select your language Close bg български es español cs čeština da dansk de Deutsch et eesti el ελληνικά en English fr français ga Gaeilge hr hrvatski it italiano lv latviešu lt lietuvių hu magyar mt Malti nl Nederlands pl polski pt português ro română sk slovenčina sl slovenščina fi suomi sv svenska Search Search European Commission Menu Back Home About us About us Learn more about the role of the European Commission, its leadership and corporate policies Organisation President Commissioners Departments and executive agencies Staff See all Role In strategy and policy In law In budget and funding In international relations See all Service standards and principles Transparency Ethics and Good Administration Modernising the European Commission The Commission’s use of languages See all Contact Discover more FEATURED 2024-2029 Commission: Priorities and leadership Our priorities Our priorities Learn how the EU is building a sustainable, digital, and inclusive future through its seven key priorities. Competitiveness Implementation tracker See all Security and defence Implementation tracker See all European social fairness Implementation tracker See all Quality of life Implementation tracker See all Democracy and our values Implementation tracker See all A global Europe Implementation tracker See all EU budget and reform Implementation tracker See all Discover more FEATURED Advance your research career in the EU News and media News and media Stay up to date with news from the European Commission. Discover the latest updates, stories, and press and audiovisual material. News Press corner Visual stories Audiovisual portal Discover more Topics Topics from A to Z Discover EU policies designed to bring benefits to citizens, businesses and other stakeholders in the EU Aid, Development cooperation, Fundamental rights Human rights in non-EU countries Your fundamental rights in the EU Recipients and results of EU aid How we provide aid Ensuring aid effectiveness See all Business, Economy, Euro Doing business in the EU Financial services Economic recovery Economic forecasts and surveillance The European Semester Economic and Monetary Union The euro area The benefits of the euro See all Education Skills and qualifications Study or teach abroad Teaching methods and materials Policy on educational issues Set up projects for education and training See all FEATURED Spot and stop information manipulation Energy, Climate change, Environment Overall targets and reporting Implementation in EU countries International cooperation Standards, tools and labels See all EU regional and urban development Financial support for projects Projects and results Countries, regions, cities Cooperation between border regions See all Food, Farming, Fisheries Food safety and quality Farming Oceans and fisheries Forestry Sustainable agriculture Agricultural trade Plants and plant products Animals and animal products See all Law Law-making process Tracking law-making Search law Law by topic Application of EU law Cross-border cases Judicial training and professional networks Find a legal professional See all FEATURED How EU laws are made Live, work, travel in the EU Living in another EU country Consumer rights and complaints Culture, Heritage, Sport in the EU Working in another EU country Employment opportunities Travelling in the EU Travelling for non-EU nationals Emigrating to the EU See all Research and innovation Strategy on research and innovation Law and regulations Knowledge: publications, tools and data Funding Projects Partners, networking Research by area See all FEATURED Advance your research career in the EU Discover more Resources Resources Access a range of resources, including publications, statistics, learning material, and tools for stakeholders. Publications Statistics Search Eurostat statistics Economic forecasts and trends Tracking EU policy performance and recovery Public opinion survey EU open data portal Guide to European statistics See all Eurobarometer EU law Learning corner Europa Web Guide European Commission visual identity Discover more Europe and you Get involved Share your views on EU laws and policies, debate Europe's future and find funding for your EU projects. Engage in EU policymaking Have your say European Citizens’ Panels European Citizens' Initiative Petition the EU See all Jobs Funding and tenders Events Visit us Visitors' Centre Experience Europe exhibition centre See all European Commission on social media Discover more 10 ways the EU makes your life easier Home … Law Law by topic Data protection International dimension of data protection Standard Contractual Clauses (SCC) Standard Contractual Clauses (SCC) Standard contractual clauses for data transfers between EU and non-EU countries. Page contents Page contents EU Standard Contractual Clauses According to the General Data Protection Regulation (GDPR), contractual clauses ensuring appropriate data protection safeguards can be used as a ground for data transfers from the EU to third countries. This includes model contract clauses – so-called standard contractual clauses (SCCs) – that have been “pre-approved” by the European Commission. On 4 June 2021 , the Commission issued modernised standard contractual clauses under the GDPR for data transfers from controllers or processors in the EU/EEA (or otherwise subject to the GDPR) to controllers or processors established outside the EU/EEA (and not subject to the GDPR). These modernised SCCs replace the three sets of SCCs that were adopted under the previous Data Protection Directive 95/46. The Commission developed Questions and Answers (Q&As) to provide practical guidance on the use of the SCCs and assist stakeholders in their compliance efforts under the GDPR. These Q&As are based on feedback received from various stakeholders on their experience with using the new SCCs in the first months after their adoption. The Q&As are intended to be a ‘dynamic’ source of information and will be updated as new questions arise. The Commission is in the process of developing additional sets of SCCs for data transfers to third countries by EU institutions and bodies, and for data transfers to controllers or processors outside the EU whose processing operations are directly subject to the GDPR. Model clauses around the world Several organisations and third countries are developing or have issued their own model contractual clauses on the basis of converging principles that are also shared by the EU SCCs. Some jurisdictions have endorsed the EU SCCs as a transfer mechanism under their own national data protection legislation, with limited formal adaptations to their domestic legal order (e.g. the United Kingdom and Switzerland . Others have developed model clauses that share a number of commonalities with the EU SCCs. This for instance includes: - the Model Contractual Clauses for transborder data flows of personal data developed on the basis of Convention 108+ by the Council of Europe Consultative Committee of Convention 108, - the Model Contractual Clauses developed by the Ibero-American Data Protection Network, as well as the accompanying implementation Guide , - the ASEAN Model Contractual Clauses for Cross Border Data Flows developed by the Association of Southeast Asian Nations, - as well as clauses developed at national level, e.g. in New Zealand , Argentina , and the United Kingdom . EU and ASEAN develop joint guidance on the use of model clauses for data transfers The Commission is intensifying its cooperation with international partners to further facilitate data transfers between different regions of the world on the basis of model clauses. ASEAN (the Association of Southeast Asian Nations) is a key partner in this respect. Together with ASEAN, the Commission has developed a Guide on the EU standard contractual clauses and ASEAN model contractual clauses, to assist companies present in both jurisdictions with their compliance efforts under both sets of clauses. The Guide identifies the commonalities between the two sets of clauses and provides non-exhaustive examples of best practices companies can consider to operationalise safeguards required under the clauses. Documents General publications 4 June 2021 Directorate-General for Justice and Consumers Publications on the Standard Contractual Clauses (SCCs) Access documents related to the two sets of Standard Contractual Clauses (SCCs), including questions and answers on their use. 24 MAY 2023 Joint Guide to ASEAN Model Contractual Clauses and EU Standard Contractual Clauses English (535.22 KB - PDF) Download 25 MAY 2022 Questions and Answers for the two sets of Standard Contractual Clauses English (435.42 KB - PDF) Download Share this page This site is managed by: Directorate-General for Communication About us Contact us Priorities Topics Funding and tenders Jobs Press corner Events Follow us Facebook Instagram X LinkedIn Other networks Report an IT vulnerability Languages on our websites Cookies Privacy policy Legal notice Accessibility | 2026-01-13T08:47:44 |
https://docs.x.com/resources/fundamentals/authentication/guides/log-in-with-x | Log in with X - X Skip to main content X home page English Search... ⌘ K Ask AI Support Developer portal Developer portal Search... Navigation Guides Log in with X Home X API X Ads API XDKs Tutorials Use Cases Success Stories Status Changelog Developer Portal Forums GitHub Getting Started Overview Fundamentals Apps Projects Developer Portal Authentication Overview Guides Log in with X Best practices TLS Endpoint mapping OAuth 1.0a OAuth 2.0 Basic authentication FAQ API reference Counting characters Rate limits X IDs Security Partners & Customers Partner Directory Customer Directory Request Access Resources Tools and Libraries Tutorials Newsletter Livestreams Billing Support Developer Terms On this page Features Available for Implementing Log in with X Guides Log in with X Copy page Copy page Use Log in with X, also known as Sign in with X, to place a button on your site or application which allows X users to enjoy the benefits of a registered user account in as little as one click. This works on websites, iOS, mobile, and desktop applications. Features Ease of use - A new visitor to your site only has to click two buttons in order to log in for the first time. X integration - The Log in with X flow can grant authorization to use X APIs on your users’ behalf. OAuth based - A wealth of client libraries and example code are compatible with the Log in with X API. Available for Browsers - If your users can access a browser, you can integrate with Log in with X. Learn about the browser sign in flow. Mobile devices - Any web-connected mobile device can take advantage of Log in with X. Learn about the mobile sign in flow. Implementing Log in with X The browser and mobile web implementations of Log in with X are based on OAuth. This page demonstrates the requests needed to obtain an access token for the sign in flow. To use the “Log in with X” flow, please go to your X app settings and ensure that the “Allow this app to be used to Sign in with X? ” option is enabled. This page assumes that the reader knows how to sign requests using the OAuth 1.0a protocol. If you want to know how to sign a request, read the Authorizing a request page. If you want to check the signing of the requests on this page, the consumer secret used is: L8qq9PZyRg6ieKGEKhZolGC0vJWLw8iEJ88DRdyOg. This value is for test purposes and will not work for real requests. The three steps for implementing Log in with X through obtaining a request token, redirecting a user, and converting a request token into an access token are listed below. Step 1 Step 2 Step 3 Step 1: Obtaining a request token To start a sign-in flow, your X app must obtain a request token by sending a signed message to POST oauth/request_token . The only unique parameter in this request is oauth_callback, which must be a URL-encoded version of the URL you wish your user to be redirected to when they complete step 2. The remaining parameters are added by the OAuth signing process. Note: Any callback URL that you use with the POST oauth/request_token endpoint will have to be registered within the X app settings in the developer portal . Example request (Authorization header has been wrapped): Copy Ask AI POST /oauth/request_token HTTP/1.1 User-Agent: themattharris' HTTP Client Host: api.x.com Accept: */* Authorization: OAuth oauth_callback="http%3A%2F%2Flocalhost%2Fsign-in-with-twitter%2F", oauth_consumer_key="cChZNFj6T5R0TigYB9yd1w", oauth_nonce="ea9ec8429b68d6b77cd5600adbbb0456", oauth_signature="F1Li3tvehgcraF8DMJ7OyxO4w9Y%3D", oauth_signature_method="HMAC-SHA1", oauth_timestamp="1318467427", oauth_version="1.0" Your app should examine the HTTP status of the response. Any value other than 200 indicates a failure. The body of the response will contain the oauth_token, oauth_token_secret, and oauth_callback_confirmed parameters. Your app should verify that oauth_callback_confirmed is true and store the other two values for the next steps. Example response (response body has been wrapped): Copy Ask AI HTTP/1.1 200 OK Date: Thu, 13 Oct 2011 00:57:06 GMT Status: 200 OK Content-Type: text/html; charset=utf-8 Content-Length: 146 Pragma: no-cache Expires: Tue, 31 Mar 1981 05:00:00 GMT Cache-Control: no-cache, no-store, must-revalidate, pre-check=0, post-check=0 Vary: Accept-Encoding Server: tfe oauth_token=NPcudxy0yU5T3tBzho7iCotZ3cnetKwcTIRlX0iwRl0& oauth_token_secret=veNRnAWe6inFuo8o2u8SLLZLjolYDmDP7SzL0YfYI& oauth_callback_confirmed=true Step 2: Redirecting the user The next step is to direct the user to X so that they may complete the appropriate flow, as described in Browser sign-in flow below. Direct the user to GET oauth/authenticate , and the request token obtained in step 1 should be passed as the oauth_token parameter. The most seamless way for a website to implement this would be to issue an HTTP 302 redirect as the response to the original “sign in” request. Mobile and desktop apps should open a new browser window or direct to the URL via an embedded web view. Example URL to redirect to: https://api.x.com/oauth/authenticate?oauth_token=NPcudxy0yU5T3tBzho7iCotZ3cnetKwcTIRlX0iwRl0 The sign in endpoint will behave in one of three ways depending on the user’s status: Signed in and approved : If the user is signed in on x.com and has already approved the calling application, they will be immediately authenticated and returned to the callback URL with a valid OAuth request token. The redirect to x.com is not obvious to the user. Signed in but not approved : If the user is signed in to x.com but has not approved the calling application, a request to share access with the calling application will be shown. After accepting the authorization request, the user will be redirected to the callback URL with a valid OAuth request token. Not signed in : If the user is not signed in on x.com, they will be prompted to enter their credentials and grant access for the application to access their information on the same screen. Once signed in, the user will be returned to the callback URL with a valid OAuth request token. Upon a successful authentication, your callback_url would receive a request containing the oauth_token and oauth_verifier parameters. Your application should verify that the token matches the request token received in step 1. Request from client’s redirect (querystring parameters wrapped): Copy Ask AI GET /sign-in-with-twitter/? oauth_token=NPcudxy0yU5T3tBzho7iCotZ3cnetKwcTIRlX0iwRl0& oauth_verifier=uw7NjWHT6OJ1MpJOXsHfNxoAhPKpgI8BlYDhxEjIBY HTTP/1.1 Host: localhost User-Agent: Mozilla/5.0 (Macintosh; Intel Mac OS X 10_6_8) AppleWebKit/535.5 (KHTML, like Gecko) Chrome/16.0.891.1 Safari/535.5 Accept: text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8 Referer: http://localhost/sign-in-with-twitter/ Accept-Encoding: gzip,deflate,sdch Accept-Language: en-US,en;q=0.8 Accept-Charset: ISO-8859-1,utf-8;q=0.7,*;q=0.3 Step 3: Converting the request token to an access token To render the request token into a usable access token, your application must make a request to the POST oauth/access_token endpoint, containing the oauth_verifier value obtained in step 2. The request token is also passed in the oauth_token portion of the header, but this will have been added by the signing process. Example request (Authorization header wrapped): Copy Ask AI POST /oauth/access_token HTTP/1.1 User-Agent: themattharris' HTTP Client Host: api.x.com Accept: */* Authorization: OAuth oauth_consumer_key="cChZNFj6T5R0TigYB9yd1w", oauth_nonce="a9900fe68e2573b27a37f10fbad6a755", oauth_signature="39cipBtIOHEEnybAR4sATQTpl2I%3D", oauth_signature_method="HMAC-SHA1", oauth_timestamp="1318467427", oauth_token="NPcudxy0yU5T3tBzho7iCotZ3cnetKwcTIRlX0iwRl0", oauth_version="1.0" Content-Length: 57 Content-Type: application/x-www-form-urlencoded oauth_verifier=uw7NjWHT6OJ1MpJOXsHfNxoAhPKpgI8BlYDhxEjIBY A successful response contains the oauth_token, oauth_token_secret parameters. The token and token secret should be stored and used for future authenticated requests to the X API. To determine the identity of the user, use GET account/verify_credentials . Example response (response body has been wrapped): Copy Ask AI HTTP/1.1 200 OK Date: Thu, 13 Oct 2011 00:57:08 GMT Status: 200 OK Content-Type: text/html; charset=utf-8 Content-Length: 157 Pragma: no-cache Expires: Tue, 31 Mar 1981 05:00:00 GMT Cache-Control: no-cache, no-store, must-revalidate, pre-check=0, post-check=0 Vary: Accept-Encoding Server: tfe oauth_token=7588892-kagSNqWge8gB1WwE3plnFsJHAZVfxWD7Vb57p0b4& oauth_token_secret=PbKfYqSryyeKDWz4ebtY3o5ogNLG11WJuZBc9fQrQo Additional resources Browser sign in flow Mobile sign in flow Log in with X Resources Client libraries The client libraries listed at X libraries will help implement Log in with X. Use the /oauth/authenticate endpoint, as described in the previous steps. Brand Toolkit X would prefer your application to use the official X Brand Toolkit for consistent branding. Save these assets use them when creating a ‘Login with X’ button. The browser log in flow is appropriate for websites and applications which are able to open or embed a web browser. At a very high level: The application renders a “Sign in with X” link or button. The user clicks the sign in button. The current web browser is redirected to X (or a new browser is opened and directed to X). The user completes a login and authorization step at X if needed. X redirects back to an URL under the application’s control, passing authorization information for the user. X keeps track of the authorizations, so for users already signed in to X.com who have authorized the application, no UI is shown - instead, they are automatically redirected back to the application. Desktop flow To demonstrate the flows, pretend the website pictured above (“The greatest website ever created”) has implemented this API, as shown by the Sign in with X button on the landing page. When the user clicks the Sign in button, the page they see depends on whether they are signed in and whether they have previously allowed the application to access their account. When the user is signed in to x.com but has not granted access, a list of requested permissions, along with Sign In and Cancel buttons are shown. When the user is not signed in to x.com input fields for a username and password will be shown. Note that even if the user has already granted access to the application, the list of permissions will still be shown. After the user inputs valid credentials (if needed) and clicks “Sign In”, X will redirect the user to the website which started the sign in flow. In the case where the user is already signed in to x.com and has granted access to the website, this redirect happens immediately. The UI flow for mobile web browsers works exactly like the Browser sign in flow, but is optimized for mobile browsers. Below are screenshots for the signed in, signed out, and redirect screens: Overview Best practices ⌘ I X home page x github Terms of Service Privacy Policy Cookies Developer Terms x github | 2026-01-13T08:47:44 |
https://docs.suprsend.com/docs/templates | Design 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 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 Templates Design Template Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Templates Design Template OpenAI Open in ChatGPT How to create, manage, and test templates in SuprSend. OpenAI Open in ChatGPT Templates are the content block of your notification. In SuprSend, content for all channels (SMS, email, chat, push etc.) is grouped under a single template group for simplified management. Your template can have 2 types of content: Static Content : This remains the same for all users and contains your core message or design. Dynamic Content : These are placeholders for user or tenant-specific information, such as first names, booking amounts, appointment times, and more. The variables are populated dynamically based on the data provided in your workflow or event request. Benefits of Using Templates with SuprSend Unified Content Management : Content for all channels is grouped together in a single template, making it easy to manage your content in one place. WYSWYG editors : Designing a template is a piece of cake with drag-and-drop and form editors. Your product managers and designers can take control of content creation without involving developers. Multi-Lingual support: You can add content for multiple languages in a single template and the user will receive notification in their preferred language Create white-labeled notifications for your tenants with ease : You can create tenants for your own company and each of your tenants. Use it to dynamically change your email template styling to match the tenant’s identity. Easy to iterate : You can directly design and store templates on the SuprSend dashboard, decoupling templates from your code. Version control : Each template change is published as a new version, so you can always track historical changes. You can also monitor user engagement for each version and retain the one that performs better. Trigger a test notification on your current live version to see the content preview on your actual device before pushing it to production. Add / Remove channels without touching code : To add any channel to your existing template group, you need to simply design a template for that channel on SuprSend platform and publish it. Notifications will start going through that channel, with no alterations to your existing code. Create Template SuprSend’s template designer empowers you to create beautiful templates with easy drag-and-drop editor 1 Create a template Add a template name and Click on ‘ Save ’. The new Template will be created, which you can see on the top of ‘Templates’ listing page. Click on the template to start editing. 2 Select the Channel Select the channel that you want to edit and enable it. 3 Add template content You can get the detailed guide to design the template for each channel in their respective documents: Email SMS Inbox Push channels: Android Push iOSpush Web Push Chat: Slack WhatsApp MS Teams Template versions SuprSend creates a new version every time you publish a template. This is to ensure that you have historical reference to all the changes done in your template. Helps with audit trails and understanding which template content performed better in terms of user engagement. A draft version is created by default. You’ll always do your changes in the draft version and publish the template once finalized. The recent published template will become the live version . All your notifications will be using the live template version. Earlier published versions will become inactive as soon as you publish a new template. You can see inactive template versions by selecting ‘ All ’ tab from the top right side options. Adding variable content SuprSend supports dynamic templating so you can personalize notifications using data from your workflow, user profile, and tenant settings. Templates use two languages: Handlebars — Email, SMS, WhatsApp, and Inbox JSONNET — Slack and MS Teams To start using dynamic variables, first add sample data in the Mock Data panel of the template editor. 1. Add mock data Mock data helps you: Define the structure of variables up front, reducing mismatches between the template and actual payload. Get auto-suggestions while designing templates, avoiding typos. Consistently reuse the same variables across all channels within a template. Preview the final rendered notification and send test messages using sample values. Sample mock data: json Copy Ask AI { "name" : "Steve" , "items" : [ { "item" : "Jager-Smith Premium" , "tracking_id" : "FMPP14677458796" , "delivery_date" : "22 June, 2023" }, { "item" : "Winget Women Cap" , "tracking_id" : "FMPP7734374844765" , "delivery_date" : "23 June, 2023" } ], "amount" : "$3,249" , "tracking_link" : "https://www.example.com/track" } 2. Available data types and their syntax There are four primary sources of dynamic data you can pull into your templates. Input Payload This includes: Data from your trigger payload Data added or modified during the workflow via data transform, batch/digest, webhook/fetch, etc. Referring this data in the template as: Data Type Handlebars JSONNET Parent level keys {{var1}} data.var1 Nested keys {{var1.var2.var3}} data.var1.var2.var3 Array index {{var1.[0].name}} data.var1[0].name Keys with capital letters and spaces {{[first_name]}} data['first_name'] Batching data {{$batched_events_count}} data['$batched_events_count'] For more advanced logic or complex functions, refer to the full set of available options in the Handlebars Helpers documentation . Please wrap URLs or variables that may contain special characters in triple curly braces (e.g., {{{url}}} ). Using double braces triggers HTML-escaping in Handlebars, which may alter special characters. User properties For per-user personalization, you can use user properties in your templates. These properties are automatically available from each user’s profile and can be referenced using $user , $actor or $recipient variables. Handlebars JSONNET $user.name data['$user'].name $recipient.name data['$recipient'].name $actor.name data['$actor'].name Tenant properties If you are using tenant branding, you can include tenant properties in your templates to dynamically display details such as logo, address, and colors. The email designer also provides a Tenant component with pre-designed header, footer, and button, making it easier for you to add tenant branding to your templates. Handlebars JSONNET $tenant.name data['$tenant'].name $tenant.properties.address data['$tenant'].properties.address Preview and publish You can see the notification preview on the right side of your editor for most of the channels. Variables in template are replaced with the values from ‘ mock data’ for preview For email , preview option is available in the bottom left side menu For Slack , you can click on ‘ Load preview ’ button to see the preview Once finalized, you can publish the template by clicking on ‘ Publish template ’ button on the draft version Test template You can send test notifications directly from the template editor page to see how the message will appear on user’s device. To send a test notification, 1 Click on the "Test" button You can find the Test button on the top right corner. 2 Add Distinct ID Add the distinct_id of the user , and click on search. It will show all the available channels for the user. 3 Choose the relevant channels Select those channels on which you’d like to test, and then click on Trigger Test using mock data . This will trigger a test notification. 4 Go to Logs You can go to the logs in order to monitor the real-time status of your sent notification. JSON data added in the global “Mock Data” button will be used to render variables in the template. Make sure to add mock data for all the variables added in the template else notifications will fail. ** Defining template in your workflow request ** The serves as a unique identifier for referencing a template in workflows created through API . To copy the slug name, click on the clipboard next to the Template name. ** Edit template name and other details ** You can edit the template description, name, and add tags to the template by clicking on the edit icon next to the its name. We recommend adding your template trigger logic and other relevant notes pertaining to the notification in the description . This is helpful for later reference and note keeping. Tags are used for better organization of the templates on listing page. You can group similar templates using tags. Tags can then be used to filter out templates on listing page and also while fetching templates through API . Clone template To avoid designing templates from scratch, you can clone your existing templates and design on top of it. Adding multiple languages SuprSend allows you to create notifications in multiple languages in the same template. Once the languages are added, SuprSend will pick the preferred language from user’s profile and send the message as per the user’s preferred language. You can add template languages using Language option from the top-right corner burger menu. For more details, check steps and guidelines on adding language . Archive template You can archive your unused templates by clicking on “Archive” option from the top-right corner burger menu. Templates can’t be recovered once archived. View and filter your template list All of your active templates will be visible on the template listing page. You can filter your templates by channel , tag , status or just get the templates which were ‘ edited by you’ . Archived templates can be seen by clicking on Archived tab from the top right side options Was this page helpful? Yes No Suggest edits Raise issue Previous Email Template How to design email template using either drag and drop editor or code editor. Next ⌘ I x github linkedin youtube Powered by On this page Create Template Template versions Adding variable content 1. Add mock data 2. Available data types and their syntax Input Payload User properties Tenant properties Preview and publish Test template Clone template Adding multiple languages Archive template View and filter your template list | 2026-01-13T08:47:44 |
https://www.highlight.io/docs/general/integrations | Integrations Star us on GitHub Star Docs Sign in Sign up General Docs Welcome to highlight.io Get Started Roadmap Company Values Compliance & Security Open Source Contributing Overview GraphQL Backend Frontend (app.highlight.io) Landing Site (highlight.io) Documentation End to End SDK Example Apps Adding an SDK Application Architecture GitHub Code Spaces Code Style Good First Issues Self-hosting Self-hosted [Dev] Self-hosted [Hobby] Self-hosted [Enterprise] Telemetry Our Competitors Product Philosophy Product Features Session Replay Overview Canvas & Iframe Dev-tool Window Recording Tracking Users & Recording Events Filtering Sessions GraphQL Live Mode Performance Impact Player Session Caching Rage Clicks Request Proxying Session Search Extracting the Session URL Session Search Deep Linking Shadow Dom + Web Components Error Monitoring Overview Enhancing Errors with GitHub Error Search Filtering Errors Grouping Errors Managing Errors Manually Reporting Errors Sourcemaps General Features Overview Alerts Comments Digests Environments Search Segments Services Webhooks Logging Overview Log Alerts Log Search Tracing Overview Trace Search Dashboards Overview Dashboard Management Metrics Tutorials Service Latency Web Vitals & Page Speed User Engagement User Analytics Graphing Drilldown Event Search Dashboard Variables SQL Editor Metrics (beta) Overview Frequently Asked Questions. Integrations Integrations Overview Amplitude Integration ClickUp Integration Discord Integration Electron Support Front Integration GitHub Integration Grafana Integration Overview Setup Dashboards Alerts Height Integration Intercom Integration Jira Integration LaunchDarkly Integration Linear Integration Mixpanel Integration Nuxt Integration Pendo Integration Segment Integration Slack Integration Vercel Integration WordPress Plugin Highlight.io Changelog Overview Changelog 12 (02/17) Changelog 13 (02/24) Changelog 14 (03/03) Changelog 15 (03/11) Changelog 16 (03/19) Changelog 17 (04/07) Changelog 18 (04/26) Changelog 19 (05/22) Changelog 20 (06/06) Changelog 21 (06/21) Changelog 22 (08/07) Changelog 23 (08/22) Changelog 24 (09/11) Changelog 25 (10/03) Changelog 26 (11/08) Changelog 27 (12/22) Changelog 28 (3/6) Changelog 29 (4/2) Menu Highlight Docs Welcome to highlight.io Get Started Roadmap Company Values Compliance & Security Open Source Contributing Overview GraphQL Backend Frontend (app.highlight.io) Landing Site (highlight.io) Documentation End to End SDK Example Apps Adding an SDK Application Architecture GitHub Code Spaces Code Style Good First Issues Self-hosting Self-hosted [Dev] Self-hosted [Hobby] Self-hosted [Enterprise] Telemetry Our Competitors Product Philosophy Product Features Session Replay Overview Canvas & Iframe Dev-tool Window Recording Tracking Users & Recording Events Filtering Sessions GraphQL Live Mode Performance Impact Player Session Caching Rage Clicks Request Proxying Session Search Extracting the Session URL Session Search Deep Linking Shadow Dom + Web Components Error Monitoring Overview Enhancing Errors with GitHub Error Search Filtering Errors Grouping Errors Managing Errors Manually Reporting Errors Sourcemaps General Features Overview Alerts Comments Digests Environments Search Segments Services Webhooks Logging Overview Log Alerts Log Search Tracing Overview Trace Search Dashboards Overview Dashboard Management Metrics Tutorials Service Latency Web Vitals & Page Speed User Engagement User Analytics Graphing Drilldown Event Search Dashboard Variables SQL Editor Metrics (beta) Overview Frequently Asked Questions. Integrations Integrations Overview Amplitude Integration ClickUp Integration Discord Integration Electron Support Front Integration GitHub Integration Grafana Integration Overview Setup Dashboards Alerts Height Integration Intercom Integration Jira Integration LaunchDarkly Integration Linear Integration Mixpanel Integration Nuxt Integration Pendo Integration Segment Integration Slack Integration Vercel Integration WordPress Plugin Highlight.io Changelog Overview Changelog 12 (02/17) Changelog 13 (02/24) Changelog 14 (03/03) Changelog 15 (03/11) Changelog 16 (03/19) Changelog 17 (04/07) Changelog 18 (04/26) Changelog 19 (05/22) Changelog 20 (06/06) Changelog 21 (06/21) Changelog 22 (08/07) Changelog 23 (08/22) Changelog 24 (09/11) Changelog 25 (10/03) Changelog 26 (11/08) Changelog 27 (12/22) Changelog 28 (3/6) Changelog 29 (4/2) Getting Started Getting Started with Highlight Fullstack Mapping Browser React.js Next.js Remix Vue.js Angular Gatsby.js SvelteKit Electron highlight.run SDK Overview Canvas & WebGL Console Messages Content-Security-Policy Identifying Users iframe Recording Monkey Patches Browser OpenTelemetry Persistent Asset Storage Privacy Proxying Highlight React.js Error Boundary Recording Network Requests and Responses Recording WebSocket Events Salesforce Lightning Web Components (LWC) Data Export Sourcemap Configuration Tracking Events Troubleshooting Upgrading Highlight Versioning Sessions & Errors Other React Native (beta) Server Go Overview chi Echo Fiber Gin GORM gqlgen Logrus Manual Tracing gorilla mux JS Overview Apollo AWS Lambda Cloudflare Workers Express.js Firebase Hono Nest.js Next.js Node.js Pino tRPC Winston Python Overview AWS Lambda Azure Functions Django FastAPI Flask Google Cloud Functions Loguru Other Frameworks Python AI / LLM Libraries Python Libraries Ruby Overview Other Frameworks Ruby on Rails Rust Overview actix-web No Framework Hosting Providers Overview Metrics in AWS Logging in AWS Logging in Azure Fly.io NATS Log Shipper Logging in GCP Heroku Log Drain Render Log Stream Logging in Trigger.dev Vercel Log Drain Elixir Overview Elixir App Java: All Frameworks PHP: All Frameworks C# .NET ASP C# .NET 4 ASP Docker / Docker Compose File Fluent Forward curl OpenTelemetry Protocol (OTLP) Syslog RFC5424 Systemd / Journald Native OpenTelemetry Overview Error Monitoring Logging Tracing Browser Instrumentation Metrics Fullstack Frameworks Overview Next.js Fullstack Overview Next.js Page Router Guide Next.js App Router Guide Edge Runtime Advanced Config Remix Walkthrough Self Host & Local Dev Overview Development deployment guide. Integrations Microsoft Teams self-hosted Hobby deployment guide. Traefik SSL Proxying. Docs Home SDK Client SDK API Reference Cloudflare Worker SDK API Reference Go SDK API Reference Hono SDK API Reference Java SDK API Reference Next.JS SDK API Reference Node.JS SDK API Reference Python SDK API Reference Ruby SDK API Reference Rust SDK API Reference Docs / Highlight Docs / Integrations Integrations Frequently Asked Questions. Integrations Overview Community / Support Suggest Edits? Follow us! [object Object] | 2026-01-13T08:47:44 |
https://www.reddit.com/r/worldnews/comments/1qbhjsn/donald_trump_says_he_wants_ownership_of_greenland/?tl=de | Reddit - The heart of the internet Skip to main content Open menu Open navigation Go to Reddit Home r/worldnews Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Translations active Show original Thanks for the feedback! Tell us more about why this content is not helpful. Post is not relevant Bad translation I don't need translations :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> Go to worldnews r/worldnews • T_Shurt ไทย Español (Latinoamérica) Italiano Donald Trump sagt, er will "Eigentum" über Grönland, weil es "psychologisch wichtig für mich" ist: "Vielleicht würde ein anderer Präsident das anders sehen, aber bisher hatte ich mit allem Recht" people.com Open Share New to Reddit? Create your account and connect with a world of communities. Continue with Email Continue With Phone Number By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy . 🌎🌍🌏 Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation | 2026-01-13T08:47:44 |
https://www.reddit.com/r/all/top/?t=day | r/all Skip to main content Open menu Open navigation Go to Reddit Home Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation Popular Communities :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/explainlikeimfive 23,379,045 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/IAmA 22,431,323 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/classicwow 707,660 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Instagram 1,018,452 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/NintendoSwitch 7,883,360 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Tinder 5,893,707 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/todayilearned 41,197,184 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/iphone 4,515,650 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/ffxiv 1,313,121 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nfl 12,638,911 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Showerthoughts 34,036,183 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Music 38,277,608 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/FORTnITE 695,667 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/DotA2 1,736,010 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/SquaredCircle 1,286,567 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/keto 3,934,273 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Frugal 6,687,928 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Overwatch 6,051,415 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/piercing 953,301 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/worldnews 46,981,031 members See more Top Open sort options Hot New Top Rising Today Open sort options Now Today This Week This Month This Year All Time Change post view Card Compact Favourite actor who's not a fucking coward :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/okbuddycinephile :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/okbuddycinephile Discussing Kino the snyder cut Members Online Discussing Kino • Favourite actor who's not a fucking coward Sorry, something went wrong when loading this video. View in app me_irl :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/me_irl :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/me_irl wtf is a community status lol selfies of the soul | human posters only, bots go home | be excellent to each other Members Online wtf is a community status lol • me_irl How much is enough, Minnesota? :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/minnesota :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/minnesota You Betcha r/Minnesota is what YOU make it! We are a neutral grounds where Minnesotans come from all four corners of our great state to discuss the latest news, share great photography...and memes, discuss politics, the outdoors, and so much more! Keep it clean, keep it Minnesotan, please. Members Online You Betcha • How much is enough, Minnesota? | 2026-01-13T08:47:44 |
https://www.reddit.com/r/all/top/?feedViewType=cardView | r/all Skip to main content Open menu Open navigation Go to Reddit Home Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation Popular Communities :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/explainlikeimfive 23,379,045 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/IAmA 22,431,323 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/classicwow 707,660 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Instagram 1,018,452 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/NintendoSwitch 7,883,360 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Tinder 5,893,707 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/todayilearned 41,197,184 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/iphone 4,515,650 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/ffxiv 1,313,121 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nfl 12,638,911 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Showerthoughts 34,036,183 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Music 38,277,608 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/FORTnITE 695,667 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/DotA2 1,736,010 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/SquaredCircle 1,286,567 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/keto 3,934,273 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Frugal 6,687,928 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Overwatch 6,051,415 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/piercing 953,301 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/worldnews 46,981,031 members See more Top Open sort options Hot New Top Rising Today Open sort options Now Today This Week This Month This Year All Time Change post view Card Compact Favourite actor who's not a fucking coward :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/okbuddycinephile :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/okbuddycinephile Discussing Kino the snyder cut Members Online Discussing Kino • Favourite actor who's not a fucking coward Sorry, something went wrong when loading this video. View in app me_irl :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/me_irl :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/me_irl wtf is a community status lol selfies of the soul | human posters only, bots go home | be excellent to each other Members Online wtf is a community status lol • me_irl How much is enough, Minnesota? :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/minnesota :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/minnesota You Betcha r/Minnesota is what YOU make it! We are a neutral grounds where Minnesotans come from all four corners of our great state to discuss the latest news, share great photography...and memes, discuss politics, the outdoors, and so much more! Keep it clean, keep it Minnesotan, please. Members Online You Betcha • How much is enough, Minnesota? | 2026-01-13T08:47:44 |
https://parenting.forem.com#main-content | Parenting 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 Parenting Close Welcome to Parenting — part of the Forem network! Navigating the chaos and joy of parenting. Create account Log in Home About Contact Other Code of Conduct Privacy Policy Terms of Use Twitter Facebook Github Instagram Twitch Mastodon Popular Tags #discuss #learning #development #mentalhealth #education #travel #communication #adoption #selfcare #feeding #toddlers #newparents #chores #schoolage #venting #dadlife #pottytraining #advice #momlife #discipline #celebrations #preschoolers #tantrums #singleparenting #toys #productreviews #infants #milestones #askparents #pickyeating Parenting A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Posts Relevant Latest Top Creating a Safe, Supportive Home Environment for Individuals with IDD Community Living & Care Insights Community Living & Care Insights Community Living & Care Insights Follow Dec 30 '25 Creating a Safe, Supportive Home Environment for Individuals with IDD # development # familylife # mentalhealth Comments Add Comment 6 min read The Case for Thyroid Testing in Pregnancy Dani Robertshaw Dani Robertshaw Dani Robertshaw Follow Dec 14 '25 The Case for Thyroid Testing in Pregnancy # thyroid # pregnancy Comments Add Comment 2 min read Raising Privacy-Smart Kids In An Always-Online World Geoffrey Wenger Geoffrey Wenger Geoffrey Wenger Follow Dec 24 '25 Raising Privacy-Smart Kids In An Always-Online World # cybersecurity # privacy # infosec 1 reaction Comments Add Comment 3 min read Top 5 Breast Pumps for 2025: Soft, Practical & Tested by Real Moms Keira Smith Keira Smith Keira Smith Follow Dec 3 '25 Top 5 Breast Pumps for 2025: Soft, Practical & Tested by Real Moms # babygear # newparents Comments 1 comment 18 min read I built a free baby tracker that syncs across devices without requiring an account Siarhei Siarhei Siarhei Follow Dec 1 '25 I built a free baby tracker that syncs across devices without requiring an account # dadlife # newparents 2 reactions Comments 1 comment 3 min read My Free Half Marathon Plan for Working Parents Martin Cartledge Martin Cartledge Martin Cartledge Follow Dec 1 '25 My Free Half Marathon Plan for Working Parents # parenting 2 reactions Comments 1 comment 1 min read What Fraud Taught Me About Teaching Children Digital Trust: A Retrospective Narnaiezzsshaa Truong Narnaiezzsshaa Truong Narnaiezzsshaa Truong Follow Nov 25 '25 What Fraud Taught Me About Teaching Children Digital Trust: A Retrospective # cybersecurity # parenting # phishing # mindfulness 5 reactions Comments 3 comments 5 min read How Becoming a Parent Helped Me Notice the Small Things Eli Sanderson Eli Sanderson Eli Sanderson Follow Nov 21 '25 How Becoming a Parent Helped Me Notice the Small Things # discuss # celebrations # newparents 7 reactions Comments 1 comment 7 min read The Sturdy Pillar Doesn’t Need Reinforcement Juno Threadborne Juno Threadborne Juno Threadborne Follow Nov 21 '25 The Sturdy Pillar Doesn’t Need Reinforcement # mentalhealth # singleparenting 6 reactions Comments 2 comments 4 min read Feeling sad about the lack of diversity at my kid's school Jenny Li Jenny Li Jenny Li Follow Oct 15 '25 Feeling sad about the lack of diversity at my kid's school # inclusion # venting 5 reactions Comments 1 comment 1 min read Weaning Woes Jenny Li Jenny Li Jenny Li Follow Nov 13 '25 Weaning Woes # venting # bodyfeeding 15 reactions Comments 9 comments 1 min read I built something for busy parents who want to run Martin Cartledge Martin Cartledge Martin Cartledge Follow Nov 12 '25 I built something for busy parents who want to run # mentalhealth # balance 10 reactions Comments 2 comments 1 min read This...has not worked the last three nights 😒 Jess Lee Jess Lee Jess Lee Follow Oct 28 '25 This...has not worked the last three nights 😒 We started a new routine called 'highs and lows' to get our kids to open up more! Jess Lee ・ Oct 22 #discuss 1 reaction Comments Add Comment 1 min read We started a new routine called 'highs and lows' to get our kids to open up more! Jess Lee Jess Lee Jess Lee Follow Oct 22 '25 We started a new routine called 'highs and lows' to get our kids to open up more! # discuss 19 reactions Comments 2 comments 2 min read Welcome to Parenting! Jess Lee Jess Lee Jess Lee Follow Oct 14 '25 Welcome to Parenting! # welcome 31 reactions Comments 10 comments 1 min read Why the "Why?" Game is the Most Valuable Thing I Do With My Kids Juno Threadborne Juno Threadborne Juno Threadborne Follow Oct 20 '25 Why the "Why?" Game is the Most Valuable Thing I Do With My Kids # newparents # development # communication # learning 19 reactions Comments 2 comments 3 min read International Travel with Toddlers: Car Seat (or vest!) Considerations Jess Lee Jess Lee Jess Lee Follow Oct 14 '25 International Travel with Toddlers: Car Seat (or vest!) Considerations # travel # gear 15 reactions Comments 2 comments 3 min read What do you do when your kids won't wear weather appropriate clothes? Jenny Li Jenny Li Jenny Li Follow Oct 14 '25 What do you do when your kids won't wear weather appropriate clothes? # discuss 10 reactions Comments 2 comments 1 min read loading... #discuss Discussion threads targeting the whole community 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Parenting — A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Parenting © 2016 - 2026. Navigating the chaos and joy of parenting. Log in Create account | 2026-01-13T08:47:44 |
https://www.reddit.com/r/all/top/?t=hour | r/all Skip to main content Open menu Open navigation Go to Reddit Home Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation Popular Communities :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/AskReddit 57,553,300 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/leagueoflegends 8,324,423 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/OutOfTheLoop 3,644,881 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/discordapp 1,478,853 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Twitch 2,855,096 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/gtaonline 1,728,137 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/relationship_advice 15,627,650 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/OnePiece 5,221,325 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/GlobalOffensive 2,837,221 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Cooking 5,982,923 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pics 33,201,705 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/GooglePixel 1,191,615 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/breakingbad 2,986,293 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/tipofmytongue 2,644,932 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/books 26,983,151 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/baseball 3,067,428 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/Windows10 486,930 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/starbucks 323,786 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/confession 11,739,276 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/HomeImprovement 4,704,495 members See more Top Open sort options Hot New Top Rising Now Open sort options Now Today This Week This Month This Year All Time Change post view Card Compact Every single time :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/memes :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/memes Verified Community: Original since 2008 Memes! A way of describing cultural information being shared. An element of a culture or system of behavior that may be considered to be passed from one individual to another by nongenetic means, especially imitation. Members Online Verified Community: Original since 2008 • Every single time Any of you feel like this? Or just me? :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/AskTheWorld :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/AskTheWorld AskTheWorld anything! Discover the differences and similarities between different cultures, learn about other countries, and enjoy exchanging cultures! Members Online • Any of you feel like this? Or just me? on your left! :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/FunnyAnimals :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/FunnyAnimals Welcome to the subreddit for our funny animal friends! Members Online • on your left! Sorry, something went wrong when loading this video. View in app | 2026-01-13T08:47:44 |
https://topenddevs.com/podcasts/adventures-in-devops/episodes/everything-you-need-to-know-about-salt-with-nicholas-hughes-devops-169 | Everything you Need to Know about Salt with Nicholas Hughes - DevOps 169 - Adventures in DevOps - Top End Devs Top End Devs Home Podcasts Screencasts Courses Blogs Summits Meetups search-modal#open" aria-label="Search"> Sign In Sign Up search-modal#close"> Search search-modal#close"> search-modal#search" data-turbo-frame="search-results" data-turbo="true" class="space-y-4" action="/search" method="get"> Content Type All Episodes Podcasts Screencasts Lessons Courses Blog Authors Meetups Use semantic search (recommended) Search Trending Now What’s New in React 19.2: Compiler, Activity, and the Future of Async React - JSJ 670 JavaScript Jabber Can You Really Trust AI-Generated Code? - JSJ 699 JavaScript Jabber Autogenetic AI Agents and the Future of Ruby Development - RUBY 682 Ruby Rogues Popular Searches search-modal#fillSearch" data-search-term="podcast"> Podcast search-modal#fillSearch" data-search-term="episode"> Episode search-modal#fillSearch" data-search-term="author"> Author search-modal#fillSearch" data-search-term="meetup"> Meetup search-modal#fillSearch" data-search-term="series"> Series Back to Adventures in DevOps RSS Feed Spotify Apple Podcasts YouTube Amazon Music Everything you Need to Know about Salt with Nicholas Hughes - DevOps 169 Published: August 03, 2023 Download Everything you Need to Know about Salt with Nicholas Hughes - DevOps 169 0:00 audio-player#clickProgressBar touchstart->audio-player#clickProgressBar touchmove->audio-player#clickProgressBar" data-audio-player-target="progressBar"> 0:00 audio-player#skipBackward"> audio-player#togglePlayPause" data-audio-player-target="playPauseButton"> audio-player#skipForward"> audio-player#changeVolume" type="range" min="0" max="1" step="0.01" value="1" /> Playback Speed: audio-player#changePlaybackSpeed"> 0.5x 0.75x 1x 1.25x 1.5x 2x Created by: Jillian Rowe • Jonathan Hall • Will Button Show Notes Nicholas Hughes is the CEO of EITR Technologies. He joins the show to talk about "Salt". Salt is used for deploying, configuring, and managing complex IT systems. He begins by explaining what Salt is, its useful features, advantages, and why he loves it. He also shares the difference between salt and other similar frameworks. Moreover, he talks about its process, set up, how it is being implemented, and many more! Sponsors Chuck's Resume Template Raygun - Application Monitoring For Web & Mobile Apps Become a Top 1% Dev with a Top End Devs Membership Links Salt Socials LinkedIn: Nicholas Hughes Picks Jillian - Lindsay Buroker Jonathan - Modern Software Engineering Nicholas - The Manager's Path Will - SaltStick Electrolyte Capsules © 2026 2022 Intentional Excellence Productions, LLC. All rights reserved. | 2026-01-13T08:47:44 |
https://www.reddit.com/r/okbuddycinephile/ | Reddit - The heart of the internet Skip to main content Open menu Open navigation Go to Reddit Home r/okbuddycinephile Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/okbuddycinephile Discussing Kino members online Create Post Feed About Best Open sort options Best Hot New Top Rising Change post view Card Compact Community highlights "The oil must flow." :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> votes • comments Please read the rules for the sub before you post :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> votes • comment Favorite movie star who’s constantly working to improve? :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> u/Fine_Persnickety • Favorite movie star who’s constantly working to improve? White Noise (2022) u/FixFuture3374 • White Noise (2022) 🔥TOP POST🔥 Favorite actor who could play Chicken Little u/Giancarlo_Edu • Favorite actor who could play Chicken Little Discussing Kino Created Mar 1, 2020 Public Anyone can view, post, and comment to this community 5M 67K r/okbuddycinephile Rules 1 Must be on topic Kino memes only. 2 Don't be mean this place must remain wholesome keanu Update 02/2025: Also stop with the crazy anti-Semitism. Seriously, stop. You'll get this sub banned. 3 Should be an Okbuddy style meme Should be an Okbuddy style meme and at least somewhat related to cinephilia 4 No political debates Keep actual, unironic discussions about politics, social issues, religion, the Middle East conflict etc. away from the comment section. There is no point in having a heated, never-ending political debate with someone on an okbuddy sub. 5 No hornyposting This is not a sub for posting pictures of Sydney Sweeney's bosom. Or reposting the same scenes from Poor Things a hundred times. If you want to post pictures of attractive actors, there are plenty of subs to do that. This isn't one of them. Posting pornographic, suggestive or otherwise clearly sexual and arousing material is a bannable offense. And yes, this applies to comments too. 6 No low effort reddit screenshots Arr slash moviecritic user has a dogshit question lemme screenshot and post it here for free karma ~ user who can no longer screenshot it and post it here for free karma 7 Moratorium on certain topics (temporary) Sydney Sweeney posts 8 Do Not Be Edgy Shock humour isn't funny, and doesn't fit in this sub. Do not try to be offensive for the sake of it. There's a big difference between a joke and just being mean. Discord server Discord Discord Moderators Moderator list hidden. Learn More View all moderators Installed Apps Comment Mop Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation | 2026-01-13T08:47:44 |
https://docs.suprsend.com/docs/flutter-android-integration | Android Integration - 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 SDK Overview SuprSend Backend SDK SuprSend Client SDK Authentication Javascript Android iOS React Native Flutter Android Integration iOS Integration Manage Users Sync Events iOS Push Setup Android Push Setup (FCM) React 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 Flutter Android Integration Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Flutter Android Integration OpenAI Open in ChatGPT This document will cover integration steps for Android side of your Flutter application. OpenAI Open in ChatGPT Installation 1 Open your Flutter project’s pubspec.yaml file Add following line of code inside dependencies in pubspec.yaml file pubsec.yaml Copy Ask AI dependencies : flutter : sdk : flutter suprsend_flutter_sdk : "^2.4.0" 2 Run flutter pub get in the terminal shell Copy Ask AI flutter pub get Troubleshooting notes: In case you face compilation errors or warnings, please perform the following troubleshooting steps: Ensure mavenCentral is present under repositories in project’s build.gradle Perform gradle sync Initialization 1 Initialize Suprsend Flutter SDK To integrate SuprSend in your Android app, you will need to initialize the suprsend flutter SDK in your MainApplication class. Note : SSApi.init should only be called in Application class, not inside Activity class( MainActivity.kt ). If your project does not have an Application class, create it manually and register it in the AndroidManifest. Example: If you create a new Application class named MainApplication.kt in your source package, go to your AndroidManifest file and enter the path of the class in the tag like this: AndroidManifest.xml Copy Ask AI < application ... android:name = ".MainApplication" ... > MainApplication.kt Copy Ask AI package <your-package-name> import android.app.Application import app.suprsend.SSApi ; // import sdk class MainApplication : Application (){ override fun onCreate () { SSApi. init ( this , WORKSPACE KEY, WORKSPACE SECRET) // Important! without this, SDK will not work SSApi. initXiaomi ( this , xiaomi_app_id, xiaomi_api_key) // Optional. Add this if you want to support Xiaomi notifications framework super . onCreate () } } Replace WORKSPACE KEY and WORKSPACE SECRET with values linked to your account. You’ll find it on SuprSend dashboard (Developers -> API Keys) page. 2 Import SuprSend SDK in your client side code Import suprsend SDK in your dart file. Go back to the flutter folder and follow below steps: Main.dart Copy Ask AI import 'package:suprsend_flutter_sdk/suprsend.dart' ; Logging By default the logs of SuprSend SDK are disabled. We recommend you to enable the SDK logs by setting its value to VERBOSE. You can enable the logs just in debug mode while in development by below condition. Dart Copy Ask AI suprsend . setLogLevel ( level ); suprsend . setLogLevel ( LogLevels . VERBOSE ); suprsend . setLogLevel ( LogLevels . DEBUG ); suprsend . setLogLevel ( LogLevels . INFO ); suprsend . setLogLevel ( LogLevels . ERROR ); suprsend . setLogLevel ( LogLevels . OFF ); Was this page helpful? Yes No Suggest edits Raise issue Previous iOS Integration This document will cover integration steps for iOS side of your Flutter application. Next ⌘ I x github linkedin youtube Powered by On this page Installation Initialization Logging | 2026-01-13T08:47:44 |
https://dev.to/michaeltharrington | Michael Tharrington - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Michael Tharrington I'm a friendly, non-dev, cisgender guy from NC who enjoys playing music/making noise, hiking, eating veggies, and hanging out with my best friend/wife + our 3 kitties + 1 greyhound. Location North Carolina Joined Joined on Oct 24, 2017 Email address mct3545@gmail.com Personal website https://dev.to/michaeltharrington github website twitter website Education BFA in Creative Writing Pronouns he/him Work Senior Community Manager at DEV Eight Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least eight years. Got it Close Seven Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least seven years. Got it Close Caring Commenter Rewarded for leaving exceptionally thoughtful comments across many different DEV members’ posts. Got it Close #howtodevto Hero Rewarded for giving helpful advice about how to use DEV. Got it Close 24 Week Community Wellness Streak You're a consistent community enthusiast! Keep up the good work by posting at least 2 comments per week for 24 straight weeks. The next badge you'll earn is the coveted 32! Got it Close Mod Welcome Party Rewarded to mods who leave 5+ thoughtful comments across new members’ posts during March 2024. This badge is only available to earn during the DEV Mod “Share the Love” Contest 2024. Got it Close we_coded Modvocate Rewarded to mods who leave 5+ thoughtful comments across #wecoded posts during March 2024. This badge is only available to earn during the DEV Mod “Share the Love” Contest 2024. Got it Close we_coded 2024 Participant Awarded for actively participating in the WeCoded initiative, promoting gender equity and inclusivity within the tech industry through meaningful engagement and contributions. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close 1,000 Thumbs Up Milestone Awarded for giving 1,000 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close DEV Resolutions Quester Awarded for setting and sharing professional, personal, and DEV-related resolutions in the #DEVResolutions2024 campaign. Got it Close #Discuss Awarded for sharing the top weekly post under the #discuss tag. Got it Close Game-time Winner! Awarded for winning a game during one of DEV's game-time events! Got it Close 500 Thumbs Up Milestone Awarded for giving 500 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close 100 Thumbs Up Milestone Awarded for giving 100 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close Costumed Coder Received for participating in the 2023 "Coding in Costume" Halloween Costume Contest. Got it Close Six Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least six years. Got it Close Icebreaker This badge rewards those who regularly leave the first comment on other folks' posts, helping to "break the ice" and get discussions going. Got it Close CodeNewbie This badge is for tag purposes only. Got it Close Warm Welcome This badge is awarded to members who leave wonderful comments in the Welcome Thread. Every week, we'll pick individuals based on their participation in the thread. Which means, every week you'll have a chance to get awarded! 😊 Got it Close Game-time Participant Awarded for participating in one of DEV's online game-time events! Got it Close Top 7 Awarded for having a post featured in the weekly "must-reads" list. 🙌 Got it Close Tag Moderator 2022 Awarded for being a tag moderator in 2022. Got it Close Trusted Member 2022 Awarded for being a trusted member in 2022. Got it Close 32 Week Community Wellness Streak You're a true community hero! You've maintained your commitment by posting at least 2 comments per week for 32 straight weeks. Now enjoy the celebration! 🎉 Got it Close Five Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least five years. Got it Close 16 Week Community Wellness Streak You're a dedicated community champion! Keep up the great work by posting at least 2 comments per week for 16 straight weeks. The prized 24-week badge is within reach! Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close 16 Week Writing Streak You are a writing star! You've written at least one post per week for 16 straight weeks. Congratulations! Got it Close Star Wars Day Costume Contest Awarded to anyone who commented on our 2022 "May the 4th" Star Wars Day Costume Contest post and/or participated in the contest. Got it Close 8 Week Community Wellness Streak Consistency pays off! Be an active part of our community by posting at least 2 comments per week for 8 straight weeks. Earn the 16 Week Badge next. Got it Close 4 Week Community Wellness Streak Keep contributing to discussions by posting at least 2 comments per week for 4 straight weeks. Unlock the 8 Week Badge next. Got it Close 8 Week Writing Streak The streak continues! You've written at least one post per week for 8 consecutive weeks. Unlock the 16-week badge next! Got it Close 2 Week Community Wellness Streak Keep the community conversation going! Post at least 2 comments for 2 straight weeks and unlock the 4 Week Badge. Got it Close Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close She Coded 2020 For participation in our annual International Women's Day celebration under #shecoded, #theycoded, or #shecodedally. Got it Close Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close Codeland:Distributed 2020 Awarded for attending CodeLand:Distributed 2020! Got it Close Beloved Comment Awarded for making a well-loved comment, as voted on with 25 heart (❤️) reactions by the community. Got it Close Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close DEV Contributor Awarded for contributing code or technical docs/guidelines to the Forem open source project Got it Close 4 Week Writing Streak You've posted at least one post per week for 4 consecutive weeks! Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close Show all 43 badges More info about @michaeltharrington Organizations Michael's Test Org 3 #music discussions Post 439 posts published Comment 4486 comments written Tag 20 tags followed Pin Pinned DEV Org Accounts: Tips for Reposting Blog Content Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Nov 10 '22 DEV Org Accounts: Tips for Reposting Blog Content # meta # seo # howtodevto 82 reactions Comments 15 comments 5 min read Music Monday — What are you listening to? (Anything Goes Edition 👐) Michael Tharrington Michael Tharrington Michael Tharrington Follow for #music discussions May 12 '25 Music Monday — What are you listening to? (Anything Goes Edition 👐) # watercooler # discuss # music 38 reactions Comments 55 comments 1 min read Want to connect with Michael Tharrington? Create an account to connect with Michael Tharrington. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Listen to Our New Podcast: "On The Board" Michael Tharrington Michael Tharrington Michael Tharrington Follow Oct 29 '24 Listen to Our New Podcast: "On The Board" # podcast # career 37 reactions Comments 12 comments 1 min read Music of the Month — What are you listening to? (Halloween Edition 🎃) Michael Tharrington Michael Tharrington Michael Tharrington Follow for #music discussions Oct 28 '24 Music of the Month — What are you listening to? (Halloween Edition 🎃) # watercooler # discuss # music 12 reactions Comments 31 comments 1 min read Music of the Month — What are you listening to? (September Edition 🍂) Michael Tharrington Michael Tharrington Michael Tharrington Follow for #music discussions Sep 16 '24 Music of the Month — What are you listening to? (September Edition 🍂) # watercooler # discuss # music 23 reactions Comments 24 comments 2 min read Music Monday — What are you listening to? (Summertime Edition 🌞) Michael Tharrington Michael Tharrington Michael Tharrington Follow for #music discussions Jul 15 '24 Music Monday — What are you listening to? (Summertime Edition 🌞) # watercooler # discuss # music 39 reactions Comments 35 comments 2 min read No Longer DEV's Community Manager, But Still Got Lotsa Love For Y'all! 💚 Michael Tharrington Michael Tharrington Michael Tharrington Follow Jun 11 '24 No Longer DEV's Community Manager, But Still Got Lotsa Love For Y'all! 💚 # devto # career 120 reactions Comments 34 comments 2 min read What was your win this week? 🙌 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team May 17 '24 What was your win this week? 🙌 # discuss # weeklyretro 16 reactions Comments 68 comments 1 min read Mentor Matching — May 2024 🤝 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team May 14 '24 Mentor Matching — May 2024 🤝 # discuss # mentorship # community # career 41 reactions Comments 49 comments 3 min read Music Monday — What are you listening to? (Storytelling Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team May 13 '24 Music Monday — What are you listening to? (Storytelling Edition) # watercooler # discuss # music 7 reactions Comments 33 comments 2 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team May 11 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 27 reactions Comments 31 comments 1 min read What was your win this week? 🙌 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team May 10 '24 What was your win this week? 🙌 # discuss # weeklyretro 29 reactions Comments 59 comments 1 min read Music Monday — What are you listening to? (Best Interpolation Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team May 6 '24 Music Monday — What are you listening to? (Best Interpolation Edition) # watercooler # discuss # music 6 reactions Comments 19 comments 2 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team May 4 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 12 reactions Comments 12 comments 1 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team May 3 '24 What was your win this week? # discuss # weeklyretro 23 reactions Comments 60 comments 1 min read Featured Org of the Month: Green Software Foundation Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team May 1 '24 Featured Org of the Month: Green Software Foundation # community # interview # devto # sustainability 38 reactions Comments 2 comments 8 min read Looking for an app where I can take a screenshot of a few different numbers and it'll sum them up! Michael Tharrington Michael Tharrington Michael Tharrington Follow May 1 '24 Looking for an app where I can take a screenshot of a few different numbers and it'll sum them up! # discuss # help 10 reactions Comments 8 comments 1 min read Music Monday — What are you listening to? (Year-of-your-birth Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 29 '24 Music Monday — What are you listening to? (Year-of-your-birth Edition) # watercooler # discuss # music 8 reactions Comments 16 comments 2 min read Lesser Known Features of DEV — Embeds! Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 29 '24 Lesser Known Features of DEV — Embeds! # howtodevto # documentation # community 38 reactions Comments 13 comments 1 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 27 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 28 reactions Comments 21 comments 1 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 26 '24 What was your win this week? # discuss # weeklyretro 26 reactions Comments 88 comments 1 min read Music Monday — What are you listening to? (Music Videos Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 22 '24 Music Monday — What are you listening to? (Music Videos Edition) # watercooler # discuss # music 14 reactions Comments 28 comments 2 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 20 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 5 reactions Comments 20 comments 1 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 19 '24 What was your win this week? # discuss # weeklyretro 29 reactions Comments 82 comments 1 min read Mentor Matching — April 2024 🤝 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 17 '24 Mentor Matching — April 2024 🤝 # discuss # mentorship # community # career 32 reactions Comments 17 comments 3 min read Featured Mod of the Month: Phil Ashby Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 16 '24 Featured Mod of the Month: Phil Ashby # interview # moderation # community # devto 33 reactions Comments 4 comments 10 min read Music Monday — What are you listening to? (Album Artwork Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 15 '24 Music Monday — What are you listening to? (Album Artwork Edition) # watercooler # discuss # music 16 reactions Comments 20 comments 2 min read What are y'all's favorite 404 pages? Michael Tharrington Michael Tharrington Michael Tharrington Follow Apr 12 '24 What are y'all's favorite 404 pages? # discuss # webdev # design # watercooler 49 reactions Comments 36 comments 1 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 12 '24 What was your win this week? # discuss # weeklyretro 15 reactions Comments 47 comments 1 min read Music Monday — What are you listening to? (Favorite Album Titles Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 8 '24 Music Monday — What are you listening to? (Favorite Album Titles Edition) # watercooler # discuss # music 15 reactions Comments 27 comments 2 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 5 '24 What was your win this week? # discuss # weeklyretro 28 reactions Comments 49 comments 1 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 5 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 24 reactions Comments 26 comments 1 min read Featured Mod of the Month: Anita Olsen Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 4 '24 Featured Mod of the Month: Anita Olsen # interview # moderation # community # meta 53 reactions Comments 13 comments 5 min read Music Monday — What are you listening to? (Covers Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Apr 1 '24 Music Monday — What are you listening to? (Covers Edition) # watercooler # discuss # music 18 reactions Comments 56 comments 2 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 30 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 20 reactions Comments 22 comments 1 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 29 '24 What was your win this week? # discuss # weeklyretro 19 reactions Comments 51 comments 1 min read Top 7 Featured DEV Posts of the Week Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 25 '24 Top 7 Featured DEV Posts of the Week # top7 39 reactions Comments 5 comments 3 min read Music Monday — What are you listening to? (Suno.AI Edition 🤖) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 25 '24 Music Monday — What are you listening to? (Suno.AI Edition 🤖) # watercooler # discuss # music 17 reactions Comments 34 comments 2 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 23 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 7 reactions Comments 15 comments 1 min read Featured Org of the Month: Feministech Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 22 '24 Featured Org of the Month: Feministech # interview # community # wecoded # devto 53 reactions Comments 10 comments 10 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 22 '24 What was your win this week? # discuss # weeklyretro 25 reactions Comments 73 comments 1 min read Top 7 Featured DEV Posts of the Week Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 18 '24 Top 7 Featured DEV Posts of the Week # top7 36 reactions Comments 6 comments 3 min read Music Monday — What are you listening to? (Gender-nonconforming Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 18 '24 Music Monday — What are you listening to? (Gender-nonconforming Edition) # watercooler # discuss # music 12 reactions Comments 13 comments 2 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 16 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 8 reactions Comments 18 comments 1 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 15 '24 What was your win this week? # discuss # weeklyretro 22 reactions Comments 28 comments 1 min read Happy Pi Day — Share Your Favorite Raspberry Pi Projects & Posts! 🥧 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 14 '24 Happy Pi Day — Share Your Favorite Raspberry Pi Projects & Posts! 🥧 # discuss # raspberrypi # piday 26 reactions Comments 17 comments 1 min read Music Monday — What are you listening to? (Women Edition ♀) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 11 '24 Music Monday — What are you listening to? (Women Edition ♀) # watercooler # discuss # music 17 reactions Comments 39 comments 2 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 9 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 25 reactions Comments 18 comments 1 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 8 '24 What was your win this week? # discuss # weeklyretro 22 reactions Comments 21 comments 1 min read Feminism is About Equality Michael Tharrington Michael Tharrington Michael Tharrington Follow Mar 6 '24 Feminism is About Equality # wecoded 46 reactions Comments 19 comments 4 min read Music Monday — What are you listening to? (Playlist Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 4 '24 Music Monday — What are you listening to? (Playlist Edition) # watercooler # discuss # music 17 reactions Comments 23 comments 2 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 2 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 9 reactions Comments 5 comments 1 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Mar 1 '24 What was your win this week? # discuss # weeklyretro 20 reactions Comments 32 comments 1 min read Mentor Matching — February 2024 🤝 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Feb 27 '24 Mentor Matching — February 2024 🤝 # discuss # mentorship # community # career 44 reactions Comments 11 comments 3 min read Music Monday — What are you listening to? (Hip Hop and R&B Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Feb 26 '24 Music Monday — What are you listening to? (Hip Hop and R&B Edition) # watercooler # discuss # music 16 reactions Comments 32 comments 2 min read What are you learning about this weekend? 🧠 Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Feb 24 '24 What are you learning about this weekend? 🧠 # discuss # learning # beginners 13 reactions Comments 30 comments 1 min read What was your win this week? Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Feb 23 '24 What was your win this week? # discuss # weeklyretro 21 reactions Comments 54 comments 1 min read Discussion of the Week: "Why is everything JavaScript?" Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Feb 22 '24 Discussion of the Week: "Why is everything JavaScript?" # discuss # bestofdev # javascript # webdev 18 reactions Comments 6 comments 2 min read Featured Mod of the Month: Pachi Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Feb 22 '24 Featured Mod of the Month: Pachi # interview # meta # moderation # community 38 reactions Comments 10 comments 7 min read Top 7 Featured DEV Posts of the Week Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Feb 19 '24 Top 7 Featured DEV Posts of the Week # top7 43 reactions Comments 5 comments 3 min read Music Monday — What are you listening to? (Funk, Soul, Disco, & Reggae Edition) Michael Tharrington Michael Tharrington Michael Tharrington Follow for The DEV Team Feb 19 '24 Music Monday — What are you listening to? (Funk, Soul, Disco, & Reggae Edition) # watercooler # discuss # music 9 reactions Comments 25 comments 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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:47:44 |
https://dev.to/willholmes/tailwindcss-vs-styled-components-in-reactjs-188j | TailwindCSS vs Styled-Components in ReactJs - 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 Will Holmes Posted on Jan 10, 2021 TailwindCSS vs Styled-Components in ReactJs # javascript # css # beginners # react A few days ago I posted a new blog post in which I detailed my experience with styled-components, and how it was a nice way of incorporating dynamic styling into the js domain staying away from CSS files. I later found out about yet another way to incorporate styling into your applications... that was TailwindCSS. I had seen some conversation around this before as well as a lot of videos and posts mentioning TailwindCSS but thought nothing more of it. So seeing as I had been told of it again and also wanted to try it out so I could compare my experiences. I decided to build a website utilizing Tailwind for styling. What should I know as basics? To get you started and to understand this read it's important to know that: TailwindCSS is a package full of pre-built classes to style your components however, they are so flexible that you can do anything with them! You do not need to know CSS to use TailwindCSS. TailwindCSS uses a lot of abbreviations i.e. (pb is padding-bottom), so it's important that you read the documentation and use its search function if you are ever unsure. Tailwind... more like bootstrap!? I have to say my initial impressions of Tailwind are positive. It takes a lot of the semantics of bootstrap and has almost extended them so much that you never have to use media queries in direct CSS to toggle differences in styling. Instead, you would do something like the below: < div class = "pb-10 sm:pb-12 md:pb-8 lg:pb-4" > Hello world </ div > Enter fullscreen mode Exit fullscreen mode To those who have used styling frameworks before such as Material UI, Bootstrap, etc. You will understand the usages of these different media breakpoints ( sm, md, lg, etc. ). These are essentially saying ' When my device size is lower than small apply a padding-bottom of 10. When my device size is small (sm) or greater apply a padding-bottom of 12. When my device size is medium (md) or greater apply a padding-bottom of 8. When my device size is large (lg) or greater apply a padding-bottom of 4 '. I must say, it took me a while to really understand the technique of saying there is no 'xs' breakpoint which is what you would typically find in bootstrap for example. Simply that any device which is lower than sm inherits tailwind classes without a media breakpoint like the above 'pb-10'. But hang on... that looks like a lot of classes? That's true and it's something that did put a bit of a dampener on my view of the framework. With having so many utility classes being added on to each element it's very easy to end up with huge class property values. This can easily cause things like useless classes remaining on elements that aren't necessarily needed etc. A good package to use is the classNames package that will combine class names together. Allowing you to format your elements a little cleaner. How does TailwindCSS compare to styled-components? Something I really liked about styled-components , was how simple it made your components look. Being able to create a styled div and reference it like: const Wrapper = styled . div ` padding-bottom: 10px; @media (min-width: 768px) { padding-bottom: 20px; } ` ; const TestComponent = () => ( < Wrapper > Hello world! </ Wrapper > ); Enter fullscreen mode Exit fullscreen mode This to me, keeps component code so clean and concise allowing the components to focus on logic and not looks. You could even go one step further, and abstract your stylings out to a separate js file within your component domain. However, let's see what this looks like in TailwindCSS : const TestComponent = () => ( < div className = "pb-10 md:pb-20" > Hello World! </ div > ); Enter fullscreen mode Exit fullscreen mode As you can see here, TailwindCSS actually reduces the number of lines of code we have to write to achieve the same goal. This is its whole intention with the utility class approach. It really does simplify writing styled elements. However, this is all well and good for our elements with only a few styles. Let's take a look at the comparisons of more heavily styled components: styled-components const Button = styled . button ` font-size: 1rem; margin: 1rem; padding: 1rem 1rem; @media (min-width: 768px) { padding: 2rem 2rem; } border-radius: 0.25rem; border: 2px solid blue; background-color: blue; color: white; ` ; const TestComponent = () => ( <> < Button > Hello world! </ Button > </> ); Enter fullscreen mode Exit fullscreen mode TailwindCSS const TestComponent = () => ( < div className = "text-base mg-1 pt-1 pr-1 md:pt-2 md:pr-2 rounded border-solid border-2 border-light-blue-500 bg-blue-500 text-white-500" > Hello World! </ div > ); Enter fullscreen mode Exit fullscreen mode As you can see from the above comparisons, styled-components really does take the lead now as our component has grown in styling rules. Tailwind's implementation is so verbose in classNames and without using a package like classNames it really makes our lines a lot longer than they should be. This is one of the biggest downfalls for Tailwind in my opinion. Especially if you are working on a project with multiple developers, the styled-components approach allows you to easily read what stylings the Button component has. In comparison to the Tailwind approach, you would most likely have to lookup in the docs some of those util classes to understand precise values. Compare this example to the first example. Tailwind just screamed simplicity. This follow up example just consists of complexity and a high risk of spaghetti code. It only takes multiple developers to be working on a few components at the same time for styles to be easily ruined/disrupted and then spending time removing certain util classes to find out the root cause. In comparison to the styled-components way of doing things where we still rely on our raw CSS changes it is a lot easier to manage change in my opinion. So, who takes home the trophy? Well... to be honest, I wouldn't say either of these two trumps each other. Both have their benefits and disadvantages which have been demonstrated in this article. I'd say if you are looking for a quick way to style a website or single pager with not much complexity; then TailwindCSS might be best for you. Mainly due to the amount of utility you get out of the box to style your classes. However, if you are looking for a longer-term project that can be more easily maintained. I would advise styled-components due to their more 'robust' feel to it when maintaining styles in my opinion. However, I am not an expert in either of them, I have simply just been building in both of these technologies and these are my initial thoughts. Useful Resources: TailwindCSS: https://tailwindcss.com/ https://www.tailwindtoolbox.com/ https://tailwindcomponents.com/ Styled-Components https://styled-components.com/ Thank you for reading, let me know in the comments below if you have used either of these or maybe both and how you found using them! 👇 Top comments (33) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Madza Madza Madza Follow Discussions. 💬 Tools. 🛠 Resources. 📚 All things productivity. 🎯🚀💯 Email hi@madza.dev Joined Apr 23, 2019 • Jan 10 '21 • Edited on Jan 10 • Edited Dropdown menu Copy link Hide Neither for me. Tho if I have to choose, I would go for styled-components. The reason being, Tailwind is like an entirely new tool, nothing common with CSS syntax. And knowing how frequently frameworks come and go, I am not sure it's worth investing time in learning something as specific as Tailwind. Like comment: Like comment: 15 likes Like Comment button Reply Collapse Expand MohamedBechirMejri MohamedBechirMejri MohamedBechirMejri Follow Joined May 10, 2021 • Feb 5 '22 Dropdown menu Copy link Hide It took me about 30 minutes to learn Tailwind so I wouldn't say it's a waste of time. on the contrary, it saves me alot of time when I make small projects compared to regular styling. as for styled components, I don't see a big difference between that an inline styling so I'd skip it. Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Madza Madza Madza Follow Discussions. 💬 Tools. 🛠 Resources. 📚 All things productivity. 🎯🚀💯 Email hi@madza.dev Joined Apr 23, 2019 • Feb 5 '22 Dropdown menu Copy link Hide Thanks for the input! 🙏❤ Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Andika Kurniawan Andika Kurniawan Andika Kurniawan Follow Location Jakarta, Indonesia Work Software Developer Joined Dec 7, 2020 • Nov 17 '22 Dropdown menu Copy link Hide I like this comment, I think Tailwind is really helpful for big project but we just need take time to learn it Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 • Jan 10 '21 Dropdown menu Copy link Hide Agreed! I think Tailwind solves a specific problem and solves it well. But it doesn't solve all the other problems very well. Personally, I feel it's always more beneficial to know how things work under the hood. Having to write CSS still enforces that practice whereas Tailwind doesn't. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Madza Madza Madza Follow Discussions. 💬 Tools. 🛠 Resources. 📚 All things productivity. 🎯🚀💯 Email hi@madza.dev Joined Apr 23, 2019 • Jan 10 '21 Dropdown menu Copy link Hide Currently, my favs are CSS modules or Styled JSX, depending on whether I want to style outside or inside of the component, respectively. Both are scoped and support bare CSS, which I love. Like comment: Like comment: 4 likes Like Thread Thread Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 • Jan 10 '21 Dropdown menu Copy link Hide Oooh, I'll take a look into those two at some point. Would you favour either of them against styled-components? Like comment: Like comment: 3 likes Like Thread Thread Madza Madza Madza Follow Discussions. 💬 Tools. 🛠 Resources. 📚 All things productivity. 🎯🚀💯 Email hi@madza.dev Joined Apr 23, 2019 • Jan 10 '21 • Edited on Jan 10 • Edited Dropdown menu Copy link Hide I like CSS modules or Styled JSX as both work well with NextJS, which I work with daily. Both have built-in support, meaning I don't have to worry about configuring anything. I prefer Styled JSX over SC, as it is more close to bare CSS, and CSS modules are not CSS-in-JS solution, so it would not be fair to compare them with SC. If you are looking for other alternatives, I would suggest looking into Svelte. It allows us to write CSS in style tags, while still working with components. A 'back-to-basics' approach, I really like. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Aghiles Lounis Aghiles Lounis Aghiles Lounis Follow Software engineer, expert in the TypeScript ecosystem. Email ghiles.aitlounis@gmail.com Location France Education Master in Data science and Bachelor in Physics Work Software Engineer and Data Scientist. Joined Dec 11, 2020 • Jul 1 '21 Dropdown menu Copy link Hide You don't understand how well tailwind solves the maintainability problem, you don't understand that styled-components uses css in JS, for big projects with high render frequency even with code splitting you are going in the wrong direction with styled-components, same for MaterialUI, ChakraUI....You juste don't understand that using tailwind is like writing css files, and everyone know in terms of performance nothing beat pure css of course, there is absolutely 0 disadvantage using tailwind compared to all other css frameworks, simply because tailwind is css Like comment: Like comment: 10 likes Like Comment button Reply Collapse Expand Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 • Apr 4 '22 Dropdown menu Copy link Hide Great comment, all valid points and I hope this can help people make their own informed decision further🙏🏻 Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Shreyas K R Shreyas K R Shreyas K R Follow Joined Jun 10, 2021 • Oct 19 '22 Dropdown menu Copy link Hide What ?? Tailwind comes with a number of disadvantages as mentioned in the post starting from readability when stylings for a basic component increases where you'd end up having more classes. You are NOT using vanilla css btw, its a library, which has to do something in order to convert your classes to actual styles. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Pat Long Pat Long Pat Long Follow Joined Dec 1, 2019 • Jan 27 '21 Dropdown menu Copy link Hide Thanks for this write-up! Nice comparison of where TailwindCSS or Style-Components might be a better option. Our team is in the early stages of a big front-end project, so choosing the right approach to styling is a key concern and your article has really added some clarity to the decision. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand KyleReemaN KyleReemaN KyleReemaN Follow Joined Jul 9, 2020 • Nov 12 '22 Dropdown menu Copy link Hide be aware with styled components I had huge performance problems with css in js I thought it would not matter for my personal projects but even there I had really poor performance for mobile devices Like comment: Like comment: Like Comment button Reply Collapse Expand Lpyexplore Lpyexplore Lpyexplore Follow Joined Mar 10, 2021 • Mar 10 '21 Dropdown menu Copy link Hide Hello! I am a front-end fan, I come from China. I just read your article and feel it's very good. You analyzed the styled component and tailwindcss rationally. Can I translate your article into Chinese and put it on the Chinese blog website Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 • Apr 8 '21 Dropdown menu Copy link Hide Of course you can! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Suprabhat Kumar Suprabhat Kumar Suprabhat Kumar Follow Full Stack Developer Email suprabhat2018@gmail.com Location India Work Full Stack Developer at DeskNow Joined Feb 11, 2021 • Jun 3 '22 Dropdown menu Copy link Hide You didn't talk about the page performances on using tailwind and styled-components. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Cezary Tomczyk Cezary Tomczyk Cezary Tomczyk Follow Joined Feb 23, 2023 • Sep 13 '23 • Edited on Sep 13 • Edited Dropdown menu Copy link Hide My personal opinion is that Tailwind is overhyped. Software engineers started polluting HTML with a mass of CSS classes. Example: flex border w-full dark:border-matteGray rounded-2xl h-[80vh] border-lightGray overflow-hidden Which not only increases HTML size but also makes it very hard to understand what follows. Compare with: .chat-message { align-items: centerl display: flex; ... and more properties that describes the layout AND behavior; } Enter fullscreen mode Exit fullscreen mode Not to mention that there have already been preprocessors like Sass for years, and even CSS is evolving with variables and the like. Then you will have the following HTML: <div class="chat-message">Example text</div> Enter fullscreen mode Exit fullscreen mode It will be a long time before software engineers realize that using dozens of CSS classes leads to a jungle in which everyone will spend more time analyzing what the code does and what the author intended. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Shreyas K R Shreyas K R Shreyas K R Follow Joined Jun 10, 2021 • Oct 19 '22 • Edited on Oct 19 • Edited Dropdown menu Copy link Hide Even if you are following atomic design, for an atom, say a button, if it involves complex animation and styles there is no way to avoid having more classes imo. Like, say if you are making this button atom reusable and want to use some additional stylings/change stylings for the same button component, how would you go about it without adding more classes OR without using css in js via props as in SC ?? Like comment: Like comment: 1 like Like Comment button Reply Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 • Jan 10 '21 Dropdown menu Copy link Hide Ahhhh I like that! Throughout building my Tailwind app I've noticed the lack of animations and have had to resort to CSS. But never thought to combine the two! I like the approach! Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Al-amin Yusuf Al-amin Yusuf Al-amin Yusuf Follow I am a react js and node js enthusiastic self thought developer Email alaminyusuf131@gmail.com Location Nigeria Work Backend developer Joined Oct 28, 2019 • Jan 11 '21 Dropdown menu Copy link Hide Like both as they can be integrated with one another using tailwind macro. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 • Jan 11 '21 Dropdown menu Copy link Hide Tailwind Macro!? What is that? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Al-amin Yusuf Al-amin Yusuf Al-amin Yusuf Follow I am a react js and node js enthusiastic self thought developer Email alaminyusuf131@gmail.com Location Nigeria Work Backend developer Joined Oct 28, 2019 • Jan 17 '21 Dropdown menu Copy link Hide Sorry, Twin.macro I didn't even realized I typed it wrong. It a NPM pakage that gives developers the power to blend in tailwind css and styled components as well. Check out the docs npmjs.com/package/twin.macro Like comment: Like comment: 5 likes Like Thread Thread Sébastien D. Sébastien D. Sébastien D. Follow I'm a Knowledge Management Expert, Coach, Author & Founder. I write about Knowledge Work, AI, Knowledge Management and Productivity. I teach simple systems that actually work ⚡ Location Belgium Education Who cares! :) Work Author, Coach, Founder, CTO, Indie Hacker, Lifelong learner Joined Oct 8, 2019 • Feb 15 '21 Dropdown menu Copy link Hide +1, twin.macro blends both together and is IMHO a real nice library to combine with Tailwind in React apps! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Stefan Wuthrich Stefan Wuthrich Stefan Wuthrich Follow I work as CPO for a Swiss Telco/Messaging Platform Company. My real passion is developing in Golang, Vue-Nuxt/ReactJs/Angular with Redis, Nsq/RabbitMQ, ArangoDB, MongoDB and Sql Location Nomad, now in Vietnam Education 25 y of experience ;-) Work Chief Product Officer at HORISEN AG Joined Oct 6, 2018 • Jan 11 '21 Dropdown menu Copy link Hide if you choose to go with TailwindCSS and React, checkout my boilerplate: github.com/altafino/react-webpack-... Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 • Jan 11 '21 Dropdown menu Copy link Hide Nice one! Looks good Like comment: Like comment: 2 likes Like Comment button Reply View full discussion (33 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 Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Location England Work Full Stack Developer Joined Dec 13, 2020 More from Will Holmes Migrating to NextJs 13 # nextjs # typescript # javascript # react Multi Nested Dynamic Routes in NextJs # nextjs # javascript # tutorial # react A UseDarkMode react hook for everyone! # javascript # webdev # nextjs # react 💎 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:47:44 |
https://dev.to/t/contributorswanted | Contributorswanted - 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 # contributorswanted Follow Hide For open source maintainers to get together with willing contributors. Create Post submission guidelines For open source maintainers looking for folks to get involved Older #contributorswanted posts 1 2 3 4 5 6 7 8 9 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu A Critique & Refresh for the SXSW Community Manager Manifesto (2012) Michael Ellis Michael Ellis Michael Ellis Follow Nov 29 '25 A Critique & Refresh for the SXSW Community Manager Manifesto (2012) # healthydebate # community # contributorswanted Comments Add Comment 8 min read Brazilian - Python Lib Mauricio Reisdoefer Mauricio Reisdoefer Mauricio Reisdoefer Follow Nov 19 '25 Brazilian - Python Lib # python # opensource # contributorswanted 1 reaction Comments Add Comment 1 min read 🎉 BJH OS Contributions Are LIVE! 🎉 Muhammad Haris Muhammad Haris Muhammad Haris Follow Dec 4 '25 🎉 BJH OS Contributions Are LIVE! 🎉 # contributorswanted # github # css # javascript 2 reactions Comments Add Comment 1 min read Volunteer Backend Developer (PHP + Containers) for Volt Europa Academy Ilario Truppa Ilario Truppa Ilario Truppa Follow Oct 19 '25 Volunteer Backend Developer (PHP + Containers) for Volt Europa Academy # contributorswanted # php # docker # kubernetes Comments Add Comment 2 min read Stop Just Contributing to React: A Beginner's Guide to OSS Projects That Actually Want You Riyana Patel Riyana Patel Riyana Patel Follow for PullFlow Oct 16 '25 Stop Just Contributing to React: A Beginner's Guide to OSS Projects That Actually Want You # contributorswanted # resources # codenewbie # opensource 11 reactions Comments Add Comment 7 min read I Built an AI Flood Forecasting System with Next.js 15 & FastAPI - Here's How 🌊 Akshat Raj Akshat Raj Akshat Raj Follow Oct 12 '25 I Built an AI Flood Forecasting System with Next.js 15 & FastAPI - Here's How 🌊 # nextjs # contributorswanted # webdev # programming 7 reactions Comments Add Comment 3 min read 🎃 Contribute to a Go REST API Boilerplate — Perfect for Hacktoberfest Beginners! Hacktoberfest: Maintainer Spotlight Vahid Vahedi Vahid Vahedi Vahid Vahedi Follow Oct 6 '25 🎃 Contribute to a Go REST API Boilerplate — Perfect for Hacktoberfest Beginners! # hacktoberfest # go # contributorswanted # beginners 11 reactions Comments Add Comment 1 min read KIB in Batch benja2998 benja2998 benja2998 Follow Aug 21 '25 KIB in Batch # coding # contributorswanted # programming # bat Comments Add Comment 1 min read A Self-Destructing Inbox — Discover the Magic of TempMail3.com Ethan857 Ethan857 Ethan857 Follow Sep 9 '25 A Self-Destructing Inbox — Discover the Magic of TempMail3.com # programming # contributorswanted # webdev # ai 6 reactions Comments 1 comment 2 min read Demi & Virtcomp Owen Boreham Owen Boreham Owen Boreham Follow Aug 2 '25 Demi & Virtcomp # virtualmachine # programming # startup # contributorswanted Comments Add Comment 2 min read From Failed Football Dreams to Tech: My Journey Vincent Tommi Vincent Tommi Vincent Tommi Follow Aug 8 '25 From Failed Football Dreams to Tech: My Journey # ai # contributorswanted # requestforpost # learning 2 reactions Comments 4 comments 5 min read From Chaos to Clarity: Help Us Build an Open-Source Brainstorm Engine Santiago Rincón Santiago Rincón Santiago Rincón Follow Jul 28 '25 From Chaos to Clarity: Help Us Build an Open-Source Brainstorm Engine # opensource # python # ai # contributorswanted 1 reaction Comments Add Comment 2 min read From Zero to Pro Contributor – A beginner-friendly open source session 💻 Yash Pandav Yash Pandav Yash Pandav Follow Jul 27 '25 From Zero to Pro Contributor – A beginner-friendly open source session 💻 # discuss # opensource # programming # contributorswanted 2 reactions Comments 1 comment 1 min read How to become an open-source contributor ? Aric Pandya Aric Pandya Aric Pandya Follow Jul 5 '25 How to become an open-source contributor ? # webdev # opensource # contributorswanted # programming 6 reactions Comments Add Comment 2 min read Don't Be a Foolish, Contributing to Open Source the Right Way Raghav Raghav Raghav Follow Jun 22 '25 Don't Be a Foolish, Contributing to Open Source the Right Way # opensource # programming # github # contributorswanted 10 reactions Comments 1 comment 5 min read Greening is looking for beginner open source contributors! Chris Greening Chris Greening Chris Greening Follow Apr 6 '25 Greening is looking for beginner open source contributors! # opensource # python # contributorswanted # beginners Comments Add Comment 2 min read Everyone Loves Open Source… Until It's Time to Contribute Francesco Bianco Francesco Bianco Francesco Bianco Follow Apr 23 '25 Everyone Loves Open Source… Until It's Time to Contribute # opensource # programming # community # contributorswanted 7 reactions Comments 2 comments 2 min read Saving Wildlife through Programming! Al Grant Al Grant Al Grant Follow Apr 6 '25 Saving Wildlife through Programming! # discuss # python # opensource # contributorswanted Comments Add Comment 1 min read Let’s Build Something for Nature and Humanity – Join the GreenPulse Community! Mahmud Rahman Mahmud Rahman Mahmud Rahman Follow Apr 2 '25 Let’s Build Something for Nature and Humanity – Join the GreenPulse Community! # community # programmers # opensource # contributorswanted 1 reaction Comments Add Comment 2 min read Web Scraping project Ahmed Altayep Ahmed Altayep Ahmed Altayep Follow Feb 7 '25 Web Scraping project # webscraping # contributorswanted 1 reaction Comments Add Comment 1 min read The Future of AI in Meeting Management Sujith S Sujith S Sujith S Follow for Zackriya Solutions Feb 28 '25 The Future of AI in Meeting Management # productivity # opensource # contributorswanted # rust 6 reactions Comments Add Comment 3 min read Your First Open Source Contribution: A Beginner's Guide Markus Markus Markus Follow Feb 24 '25 Your First Open Source Contribution: A Beginner's Guide # opensource # contributorswanted # beginners # tutorial Comments Add Comment 3 min read Join the SSB Community – Open Source Projects Await! 🚀 Suraj Singh Bisht Suraj Singh Bisht Suraj Singh Bisht Follow Jan 21 '25 Join the SSB Community – Open Source Projects Await! 🚀 # opensource # contributorswanted # beginners # learning 1 reaction Comments Add Comment 1 min read Outreachy Call for June 2025 Cohort mentoring. Isah Jacob Isah Jacob Isah Jacob Follow Feb 23 '25 Outreachy Call for June 2025 Cohort mentoring. # opensource # outreachy # contributorswanted 1 reaction Comments Add Comment 5 min read Most Contributions 💪 Let's do it! MilesWK MilesWK MilesWK Follow Feb 22 '25 Most Contributions 💪 Let's do it! # discuss # github # contributorswanted # programming 1 reaction Comments 2 comments 1 min read loading... trending guides/resources A Critique & Refresh for the SXSW Community Manager Manifesto (2012) Brazilian - Python Lib 💎 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:47:44 |
https://docs.suprsend.com/docs/nodejs-sdk | Integrate Node SDK - 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 SDK Overview SuprSend Backend SDK Python SDK Node.js SDK Integrate Node SDK Manage Users Objects Send and Track Events Trigger Workflow from API Tenants Lists Broadcast Java SDK Go SDK SuprSend Client SDK 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 Node.js SDK Integrate Node SDK Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Node.js SDK Integrate Node SDK OpenAI Open in ChatGPT Install & Initialize SuprSend NodeJS SDK using your workspace credentials for sending notifications. OpenAI Open in ChatGPT Installation npm yarn Copy Ask AI npm install @suprsend/node-sdk@latest Initialization javascript Copy Ask AI const { Suprsend } = require ( "@suprsend/node-sdk" ); const supr_client = new Suprsend ( "WORKSPACE KEY" , "WORKSPACE SECRET" ); Replace WORKSPACE KEY and WORKSPACE SECRET with your workspace values. You will find them on SuprSend Dashboard Developers -> API Keys page. Was this page helpful? Yes No Suggest edits Raise issue Previous Manage Users Create, update, & manage user profiles and communication channels using NodeJS SDK methods. Next ⌘ I x github linkedin youtube Powered by On this page Installation Initialization | 2026-01-13T08:47:44 |
https://reactjs.org/blog/2019/02/06/react-v16.8.0.html | React v16.8: The One With Hooks – React Blog We want to hear from you! Take our 2021 Community Survey! This site is no longer updated. Go to react.dev React Docs Tutorial Blog Community v 18.2.0 Languages GitHub React v16.8: The One With Hooks February 06, 2019 by Dan Abramov This blog site has been archived. Go to react.dev/blog to see the recent posts. With React 16.8, React Hooks are available in a stable release! What Are Hooks? Hooks let you use state and other React features without writing a class. You can also build your own Hooks to share reusable stateful logic between components. If you’ve never heard of Hooks before, you might find these resources interesting: Introducing Hooks explains why we’re adding Hooks to React. Hooks at a Glance is a fast-paced overview of the built-in Hooks. Building Your Own Hooks demonstrates code reuse with custom Hooks. Making Sense of React Hooks explores the new possibilities unlocked by Hooks. useHooks.com showcases community-maintained Hooks recipes and demos. You don’t have to learn Hooks right now. Hooks have no breaking changes, and we have no plans to remove classes from React. The Hooks FAQ describes the gradual adoption strategy. No Big Rewrites We don’t recommend rewriting your existing applications to use Hooks overnight. Instead, try using Hooks in some of the new components, and let us know what you think. Code using Hooks will work side by side with existing code using classes. Can I Use Hooks Today? Yes! Starting with 16.8.0, React includes a stable implementation of React Hooks for: React DOM React DOM Server React Test Renderer React Shallow Renderer Note that to enable Hooks, all React packages need to be 16.8.0 or higher . Hooks won’t work if you forget to update, for example, React DOM. React Native will support Hooks in the 0.59 release . Tooling Support React Hooks are now supported by React DevTools. They are also supported in the latest Flow and TypeScript definitions for React. We strongly recommend enabling a new lint rule called eslint-plugin-react-hooks to enforce best practices with Hooks. It will soon be included into Create React App by default. What’s Next We described our plan for the next months in the recently published React Roadmap . Note that React Hooks don’t cover all use cases for classes yet but they’re very close . Currently, only getSnapshotBeforeUpdate() and componentDidCatch() methods don’t have equivalent Hooks APIs, and these lifecycles are relatively uncommon. If you want, you should be able to use Hooks in most of the new code you’re writing. Even while Hooks were in alpha, the React community created many interesting examples and recipes using Hooks for animations, forms, subscriptions, integrating with other libraries, and so on. We’re excited about Hooks because they make code reuse easier, helping you write your components in a simpler way and make great user experiences. We can’t wait to see what you’ll create next! Testing Hooks We have added a new API called ReactTestUtils.act() in this release. It ensures that the behavior in your tests matches what happens in the browser more closely. We recommend to wrap any code rendering and triggering updates to your components into act() calls. Testing libraries can also wrap their APIs with it (for example, react-testing-library ’s render and fireEvent utilities do this). For example, the counter example from this page can be tested like this: import React from 'react' ; import ReactDOM from 'react-dom' ; import { act } from 'react-dom/test-utils' ; import Counter from './Counter' ; let container ; beforeEach ( ( ) => { container = document . createElement ( 'div' ) ; document . body . appendChild ( container ) ; } ) ; afterEach ( ( ) => { document . body . removeChild ( container ) ; container = null ; } ) ; it ( 'can render and update a counter' , ( ) => { // Test first render and effect act ( ( ) => { ReactDOM . render ( < Counter /> , container ) ; } ) ; const button = container . querySelector ( 'button' ) ; const label = container . querySelector ( 'p' ) ; expect ( label . textContent ) . toBe ( 'You clicked 0 times' ) ; expect ( document . title ) . toBe ( 'You clicked 0 times' ) ; // Test second render and effect act ( ( ) => { button . dispatchEvent ( new MouseEvent ( 'click' , { bubbles : true } ) ) ; } ) ; expect ( label . textContent ) . toBe ( 'You clicked 1 times' ) ; expect ( document . title ) . toBe ( 'You clicked 1 times' ) ; } ) ; The calls to act() will also flush the effects inside of them. If you need to test a custom Hook, you can do so by creating a component in your test, and using your Hook from it. Then you can test the component you wrote. To reduce the boilerplate, we recommend using react-testing-library which is designed to encourage writing tests that use your components as the end users do. Thanks We’d like to thank everybody who commented on the Hooks RFC for sharing their feedback. We’ve read all of your comments and made some adjustments to the final API based on them. Installation React React v16.8.0 is available on the npm registry. To install React 16 with Yarn, run: yarn add react@^16.8.0 react-dom@^16.8.0 To install React 16 with npm, run: npm install --save react@^16.8.0 react-dom@^16.8.0 We also provide UMD builds of React via a CDN: < script crossorigin src = " https://unpkg.com/react@16/umd/react.production.min.js " > </ script > < script crossorigin src = " https://unpkg.com/react-dom@16/umd/react-dom.production.min.js " > </ script > Refer to the documentation for detailed installation instructions . ESLint Plugin for React Hooks Note As mentioned above, we strongly recommend using the eslint-plugin-react-hooks lint rule. If you’re using Create React App, instead of manually configuring ESLint you can wait for the next version of react-scripts which will come out shortly and will include this rule. Assuming you already have ESLint installed, run: # npm npm install eslint-plugin-react-hooks --save-dev # yarn yarn add eslint-plugin-react-hooks --dev Then add it to your ESLint configuration: { "plugins" : [ // ... "react-hooks" ] , "rules" : { // ... "react-hooks/rules-of-hooks" : "error" } } Changelog React Add Hooks — a way to use state and other React features without writing a class. ( @acdlite et al. in #13968 ) Improve the useReducer Hook lazy initialization API. ( @acdlite in #14723 ) React DOM Bail out of rendering on identical values for useState and useReducer Hooks. ( @acdlite in #14569 ) Don’t compare the first argument passed to useEffect / useMemo / useCallback Hooks. ( @acdlite in #14594 ) Use Object.is algorithm for comparing useState and useReducer values. ( @Jessidhia in #14752 ) Support synchronous thenables passed to React.lazy() . ( @gaearon in #14626 ) Render components with Hooks twice in Strict Mode (DEV-only) to match class behavior. ( @gaearon in #14654 ) Warn about mismatching Hook order in development. ( @threepointone in #14585 and @acdlite in #14591 ) Effect clean-up functions must return either undefined or a function. All other values, including null , are not allowed. @acdlite in #14119 React Test Renderer Support Hooks in the shallow renderer. ( @trueadm in #14567 ) Fix wrong state in shouldComponentUpdate in the presence of getDerivedStateFromProps for Shallow Renderer. ( @chenesan in #14613 ) Add ReactTestRenderer.act() and ReactTestUtils.act() for batching updates so that tests more closely match real behavior. ( @threepointone in #14744 ) ESLint Plugin: React Hooks Initial release . ( @calebmer in #13968 ) Fix reporting after encountering a loop. ( @calebmer and @Yurickh in #14661 ) Don’t consider throwing to be a rule violation. ( @sophiebits in #14040 ) Hooks Changelog Since Alpha Versions The above changelog contains all notable changes since our last stable release (16.7.0). As with all our minor releases , none of the changes break backwards compatibility. If you’re currently using Hooks from an alpha build of React, note that this release does contain some small breaking changes to Hooks. We don’t recommend depending on alphas in production code. We publish them so we can make changes in response to community feedback before the API is stable. Here are all breaking changes to Hooks that have been made since the first alpha release: Remove useMutationEffect . ( @sophiebits in #14336 ) Rename useImperativeMethods to useImperativeHandle . ( @threepointone in #14565 ) Bail out of rendering on identical values for useState and useReducer Hooks. ( @acdlite in #14569 ) Don’t compare the first argument passed to useEffect / useMemo / useCallback Hooks. ( @acdlite in #14594 ) Use Object.is algorithm for comparing useState and useReducer values. ( @Jessidhia in #14752 ) Render components with Hooks twice in Strict Mode (DEV-only). ( @gaearon in #14654 ) Improve the useReducer Hook lazy initialization API. ( @acdlite in #14723 ) Is this page useful? Edit this page Recent Posts React Labs: What We've Been Working On – June 2022 React v18.0 How to Upgrade to React 18 React Conf 2021 Recap The Plan for React 18 Introducing Zero-Bundle-Size React Server Components React v17.0 Introducing the New JSX Transform React v17.0 Release Candidate: No New Features React v16.13.0 All posts ... Docs Installation Main Concepts Advanced Guides API Reference Hooks Testing Contributing FAQ Channels GitHub Stack Overflow Discussion Forums Reactiflux Chat DEV Community Facebook Twitter Community Code of Conduct Community Resources More Tutorial Blog Acknowledgements React Native Privacy Terms Copyright © 2025 Meta Platforms, Inc. | 2026-01-13T08:47:44 |
https://www.reddit.com/r/all/top/?t=year | r/all Skip to main content Open menu Open navigation Go to Reddit Home Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation Popular Communities :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/AskMen 7,128,340 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/AskWomen 5,604,512 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/PS4 5,513,074 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/apple 6,304,429 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/NBA2k 746,857 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/sysadmin 1,212,893 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nba 16,939,473 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/askscience 26,196,731 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/cars 7,382,842 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pcmasterrace 15,920,163 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pokemon 4,751,284 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/netflix 1,848,230 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nvidia 2,311,309 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/headphones 1,519,962 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/hearthstone 1,930,399 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/fantasyfootball 3,396,549 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/pathofexile 1,050,683 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/canada 4,289,046 members :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nosleep 18,109,631 members See more Top Open sort options Hot New Top Rising This Year Open sort options Now Today This Week This Month This Year All Time Change post view Card Compact Big man on campus. :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nextfuckinglevel :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/nextfuckinglevel NFL Members Online NFL • Big man on campus. Sorry, something went wrong when loading this video. View in app The Bondi hero awake and recovering in hospital after saving countless lives :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/MadeMeSmile :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/MadeMeSmile Welcome! /r/MadeMeSmile is a place to share things that made you smile or brightened up your day. No politics, AI, or sad posts Members Online • The Bondi hero awake and recovering in hospital after saving countless lives Fox asleep on my outdoor couch. :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/interestingasfuck :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> r/interestingasfuck For anything truly interesting as fuck Members Online • Fox asleep on my outdoor couch. | 2026-01-13T08:47:44 |
https://scale.forem.com/nixx0328/comment/2gf8c | include using namespace std; int main(){ cout<<"hello world!"; ... - Scale Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Scale Forem Close Discussion on: The Importance of Accessibility View post Collapse Expand Nixx0328 Nixx0328 Nixx0328 Follow <s>The boy is clever,he left nothing</s> I'm a 15 years old student|C++ Programmer|One of CZLJ.top's Admins|Minecraft player:Nixx|a boy want to be a White hat hacker! I'm sorry about my hard English=( Location 中国·江苏省·常州市·武进区 Education 中国·江苏省·常州市·武进区·西太湖外国语学校·初中部·八年级(4)班 Pronouns Minecraft cool player! Work ?I'm a student in Grade 8 now. Joined Jun 29, 2024 • Jul 12 '24 Dropdown menu Copy link Hide include using namespace std; int main(){ cout<<"hello world!"; return 0; } Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Scale Forem — For engineers building software at scale. We discuss architecture, cloud-native, and SRE—the hard-won lessons you can't just Google Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Scale Forem © 2016 - 2026. Scaling systems, beyond the docs Log in Create account | 2026-01-13T08:47:44 |
https://www.reddit.com/r/okbuddycinephile/comments/1qb04ra/favourite_actor_whos_not_a_fucking_coward/ | Reddit - The heart of the internet Skip to main content Open menu Open navigation Go to Reddit Home r/okbuddycinephile Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu :first-child]:h-full [&>:first-child]:w-full [&>:first-child]:mb-0 [&>:first-child]:rounded-[inherit] h-full w-full [&>:first-child]:overflow-hidden [&>:first-child]:max-h-full"> Go to okbuddycinephile r/okbuddycinephile • UnHolySir Favourite actor who's not a fucking coward Sorry, something went wrong when loading this video. View in app Share New to Reddit? Create your account and connect with a world of communities. Continue with Email Continue With Phone Number By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy . Discussing Kino Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation | 2026-01-13T08:47:44 |
https://devblogs.microsoft.com/aspnet/mobile-blazor-bindings-feb-2020-update/ | Announcing Experimental Mobile Blazor Bindings February update - .NET Blog Skip to main content Microsoft Dev Blogs Dev Blogs Dev Blogs Home Developer Microsoft for Developers Visual Studio Visual Studio Code Develop from the cloud All things Azure Xcode DevOps Windows Developer ISE Developer Azure SDK Command Line Aspire Technology DirectX Semantic Kernel Languages C++ C# F# TypeScript PowerShell Team Python Java Java Blog in Chinese Go .NET All .NET posts .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework NuGet Servicing .NET Blog in Chinese Platform Development #ifdef Windows Microsoft Foundry Azure Government Azure VM Runtime Team Bing Dev Center Microsoft Edge Dev Microsoft Azure Microsoft 365 Developer Microsoft Entra Identity Developer Old New Thing Power Platform Data Development Azure Cosmos DB Azure Data Studio Azure SQL OData Revolutions R Unified Data Model (IDEAs) Microsoft Entra PowerShell More Search Search No results Cancel Dev Blogs .NET Blog Announcing Experimental Mobile Blazor Bindings February update .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now February 10th, 2020 0 reactions Announcing Experimental Mobile Blazor Bindings February update Eilon Lipton Show more I’m delighted to share an update of Experimental Mobile Blazor Bindings with several new features and fixes. On January 14th we announced the first experimental release of Mobile Blazor Bindings, which enables developers to use familiar web programming patterns to build native mobile apps using C# and .NET for iOS and Android. Here’s what’s new in this release: New BoxView, CheckBox, ImageButton, ProgressBar, and Slider components Xamarin.Essentials is included in the project template Several properties, events, and other APIs were added to existing components Made it easier to get from a Blazor component reference to the Xamarin.Forms control Several bug fixes, including iOS startup Get started To get started with Experimental Mobile Blazor Bindings preview 2, install the .NET Core 3.1 SDK and then run the following command: dotnet new -i Microsoft.MobileBlazorBindings.Templates::0.2.42-preview And then create your first project by running this command: dotnet new mobileblazorbindings -o MyApp That’s it! You can find additional docs and tutorials on https://docs.microsoft.com/mobile-blazor-bindings/. Upgrade an existing project To update an existing Mobile Blazor Bindings Preview 1 project to Preview 2 you’ll need to update the Mobile Blazor Bindings NuGet packages to 0.2.42-preview. In each project file ( .csproj ) update the Microsoft.MobileBlazorBindings package reference’s Version attribute to 0.2.42-preview . Refer to the Migrate Mobile Blazor Bindings From Preview 1 to Preview 2 topic for full details. New components New BoxView, CheckBox, ImageButton, ProgressBar, and Slider components have been added. A picture is worth a thousand words, so here are the new components in action: And instead of a thousand words, here’s the code for that UI page: <Frame CornerRadius="10" BackgroundColor="Color.LightBlue"> <StackLayout> <Label Text="How much progress have you made?" /> <Slider @bind-Value="progress" /> <Label Text="Your impact:" /> <ProgressBar Progress="EffectiveProgress" /> <StackLayout Orientation="StackOrientation.Horizontal"> <CheckBox @bind-IsChecked="isTwoXProgress" VerticalOptions="LayoutOptions.Center" /> <Label Text="Use 2x impact?" VerticalOptions="LayoutOptions.Center" /> </StackLayout> <BoxView HeightRequest="20" CornerRadius="5" Color="Color.Purple" /> <StackLayout Orientation="StackOrientation.Horizontal" VerticalOptions="LayoutOptions.Center"> <Label Text="Instant completion" VerticalOptions="LayoutOptions.Center" /> <ImageButton Source="@(new FileImageSource { File="CompleteButton.png" })" HeightRequest="64" WidthRequest="64" OnClick="CompleteProgress" VerticalOptions="LayoutOptions.Center" BorderColor="Color.SaddleBrown" BorderWidth="3" /> </StackLayout> </StackLayout> </Frame> @code { double progress; bool isTwoXProgress; double EffectiveProgress => isTwoXProgress ? 2d * progress : progress; void CompleteProgress() { progress = 1d; } } Xamarin.Essentials is included in the project template Xamarin.Essentials provides developers with cross-platform APIs for their mobile applications. With these APIs you can make cross-platform calls to get geolocation info, get device status and capabilities, access the clipboard, and much more. Here’s how to get battery status and location information: <StackLayout> <StackLayout Orientation="StackOrientation.Horizontal"> <ProgressBar Progress="Battery.ChargeLevel" HeightRequest="20" HorizontalOptions="LayoutOptions.FillAndExpand" /> <Label Text="@($"{Battery.ChargeLevel.ToString("P")}")" /> </StackLayout> <Label Text="@($"🔋 state: {Battery.State.ToString()}")" /> <Label Text="@($"🔋 source: {Battery.PowerSource.ToString()}")" /> <Button Text="Where am I?" OnClick="@WhereAmI" /> </StackLayout> @code { async Task WhereAmI() { var location = await Geolocation.GetLocationAsync(new GeolocationRequest(GeolocationAccuracy.Medium)); var locationMessage = $"Lat: {location.Latitude}, Long: {location.Longitude}, Alt: {location.Altitude}"; await Application.Current.MainPage.DisplayAlert("Found me!", locationMessage, "OK"); } } More information: Using Xamarin.Essentials in Mobile Blazor Bindings Xamarin.Essentials documentation Several properties, events, and other APIs were added to existing components The set of properties available on the default components in Mobile Blazor Bindings now match the Xamarin.Forms UI controls more closely. For example: Button events were added: OnPress, OnRelease Button properties were added: FontSize, ImageSource, Padding, and many more Label properties were added: MaxLines, Padding, and many more MenuItem property was added: IsEnabled NavigableElement property was added: class And many more! Made it easier to get from a Blazor component reference to the Xamarin.Forms control While most UI work is done directly with the Blazor components, some UI functionality is performed by accessing the Xamarin.Forms control. For example, Xamarin.Forms controls have rich animation capabilities that can be accessed via the control itself, such as rotation, fading, scaling, and translation. To access the Xamarin.Forms element you need to: Define a field of the type of the Blazor component. For example: Microsoft.MobileBlazorBindings.Elements.Label counterLabel; Associate the field with a reference to the Blazor component. For example: <label @ref="counterLabel" …></label> Access the native control via the NativeControl property. For example: await counterLabel.NativeControl.RelRotateTo(360); Here’s a full example of how to do a rotation animation every time a button is clicked: <StackLayout Orientation="StackOrientation.Horizontal" HorizontalOptions="LayoutOptions.Center"> <Button Text="Increment" OnClick="IncrementCount" /> <Label @ref="counterLabel" Text="@("The button was clicked " + count + " times")" FontAttributes="FontAttributes.Bold" VerticalTextAlignment="TextAlignment.Center" /> </StackLayout> @code { Microsoft.MobileBlazorBindings.Elements.Label counterLabel; int count; async Task IncrementCount() { count++; var degreesToRotate = ((double)(60 * count)); await counterLabel.NativeControl.RelRotateTo(degreesToRotate); } } Learn more in the Xamarin.Forms animation topic . Bug fixes This release incorporates several bug fixes, including fixing an iOS startup issue. You can see the full list of fixes in this GitHub query . In case you missed it In case you’ve missed some content on Mobile Blazor Bindings, please check out these recent happenings: .NET Conf: Focus on Blazor: Mobile Blazor Bindings – Using Blazor to build mobile apps ASP.NET Community Standup – Jan 28, 2020 – Mobile Blazor Bindings w/ Eilon Lipton & James Montemagno (timestamp: 23:12) Follow along on Twitter with hashtag #MobileBlazorBindings Thank you to community contributors! I also want to extend a huge thank you to the community members who came over to the GitHub repo and logged issues and sent some wonderful pull requests (several of which are merged and in this release). This release includes these community code contributions: Added AutomationId in Element #48 by Kahbazi Fix src work if NETCore3.0 not installed #55 by 0x414c49 Multi-direction support for Visual Element (RTL, LTR) #59 by 0x414c49 Thank you! What’s next? Let us know what you want! We’re listening to your feedback, which has been both plentiful and helpful! We’re also fixing bugs and adding new features. Improved CSS support and inline text are two things we’d love to make available soon. This project will continue to take shape in large part due to your feedback, so please let us know your thoughts at the GitHub repo or fill out the feedback survey . 0 21 0 Share on Facebook Share on X Share on Linkedin Copy Link --> Category ASP.NET Blazor Topics MobileBlazorBindings Share Author Eilon Lipton 21 comments Discussion is closed. Login to edit/delete existing comments. Code of Conduct Sort by : Newest Newest Popular Oldest Frans Delport --> Frans Delport --> April 28, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Any idea or sample how to implement a custom-renderer? I’m trying to get some native google AdMob to display but seems like xamarin custom controls can’t be accessed from a .razor component? zack zee --> zack zee --> April 16, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Hi Eilon This is excellent work. Now, cSharp can be the language for the front end as well. I’m trying to build a proof of concept for my project. I couldn’t find any data grid that I can use with this Mobile Blazor Bindings razor component. I see it is using xamarin element for markup and CSharp code. please see the Xamarin ListView I’m trying to build the DataGrid. or please point me in the right direction ...... .... ... .. ..... ... NMG Technologies --> NMG Technologies --> March 19, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Hi Eilon Lipton We really liked this post based on Blazor. We can now create interactive client-side web UI on C# instead of Java with the help of Blazor on ASP.NET core. Blazer shares client-side and server-side app logic written in .NET. It introduces the UI in the form of HTML and CSS for browser support, including mobile browsers. You might find this article interesting written on 20 Advantages of .NET core ( http://bit.ly/3dfdBy8 ) in which I have mentioned why everyone should go with ASP.NET core for their next project. Akash Bagh --> Akash Bagh --> April 16, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> this comment has been deleted. MATTIAS ENGMAN --> MATTIAS ENGMAN --> February 15, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Very nice! Any hint about how to use TabbedPage..? Can’t figure it out… MATTIAS ENGMAN --> MATTIAS ENGMAN --> February 15, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Found it 👍. Extremely nice!! But, one question… what about navigation… is that possible? Eilon Lipton --> Eilon Lipton --> February 21, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Hi Mattias, You can find a sample that uses TabbedPage here: https://github.com/xamarin/MobileBlazorBindings/blob/master/samples/MobileBlazorBindingsTodoSample/MobileBlazorBindingsTodo/TodoApp.razor Navigation is not yet supported, but that work is being tracked here: https://github.com/xamarin/MobileBlazorBindings/issues/86 Thanks for taking a look, Eilon Gauthier M. --> Gauthier M. --> February 14, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> This project is a waste of time and energy … Why use Xamarin forms…. (a dead technology) Why not HTML/CSS or, at least, WPF/XAML…. Bartho Bernsmann --> Bartho Bernsmann --> February 12, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Why not use HTML and CSS instead of XAML? Guillaume ZAHRA --> Guillaume ZAHRA --> February 28, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> If you like the Blazor HTML/CSS model, you may bootstrap yourself using Blazor as an Hybrid app, used as PWA app, or embedding it in a native app Web browser. You may also take a look at my project BlazorMobile if you want to do this. Patrick Morris --> Patrick Morris --> February 13, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> This seems to be Xamarin.Forms UI layout and not strictly XAML. Blazor currently allows you to develop using a HTML/CSS UI. Currently it is server only however the next release is supposed to include client side. saint4eva --> saint4eva --> February 11, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> This is very nice. Thank you very much for adding new components. However, I have a few observations regarding the names of things. Since Mobile Blazor Binding is mostly for web developers - Blazor/ Asp.net developers who would like to venture into mobile apps development - isn't it better to make names quite familiar to us? For example the ImageButton and BoxView components have some properties names that might be confusing e.g. HeightRequest, WidthRequest and CornerRadius, while not just Height, Width and Radius which are more intuitive and natural to us? Again with the ImageButton component, source property has a lot... Read more This is very nice. Thank you very much for adding new components. However, I have a few observations regarding the names of things. Since Mobile Blazor Binding is mostly for web developers – Blazor/ Asp.net developers who would like to venture into mobile apps development – isn’t it better to make names quite familiar to us? For example the ImageButton and BoxView components have some properties names that might be confusing e.g. HeightRequest, WidthRequest and CornerRadius, while not just Height , Width and Radius which are more intuitive and natural to us? Again with the ImageButton component, source property has a lot of ceremony going on there. Why not Source =”CompleteButton.png” ? Instead of Source =”@(new FileImageSource { File=”CompleteButton.png” })” Apart from those, you guys are doing a great job Read less Eilon Lipton --> Eilon Lipton --> February 11, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Hi Obinna, thank you for sharing your thoughts on these. We are planning to experiment with ways to make some of the components feel even more “natural” to a developer with HTML or other web experience. Right now the programming model is the same Blazor model, but the components themselves have many differences. We hope to share some progress soon on ways to address some of the thoughts you have on the names and properties of the components. Thank you! Charles Roddie --> Charles Roddie --> February 11, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> This is OK but not the perfect way round. Apps on Windows/Android/iOS should be native code, not wasm. Better is to have a Xamarin.Blazor target for web browsers. Eilon Lipton --> Eilon Lipton --> February 11, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Hi Charles, with Mobile Blazor Bindings you are building native apps. There is no Web Assembly (WASM) or browser or HTML. It is building a true native app for Android and iOS. Tony Henrique --> Tony Henrique --> February 10, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> It would be great if we could use a unified standard XAML on Blazor that works on Web, Mobile, Desktop and IoT. XAML is awesome. It would be great it they release a standard XAML that works on all platforms even on the Web. For example, a Button, is a button everywhere. A TextBox, the same, etc. Guillaume ZAHRA --> Guillaume ZAHRA --> February 28, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> I have never used it but, what about the UNO project ? https://platform.uno/ It’s exactly using XAML , Native & WebAssembly Mike-E --> Mike-E --> February 14, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> You mean like how Uno does it? https://medius.studios.ms/Embed/Video-nc/B19-CFS2009?latestplayer=true&l=2476.0675 Francisco --> Francisco --> February 12, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Tomy’s idea is logical and would be very well received in companies that have historically worked on desktop applications with XAML (WPF, UWP or XF). Please vote: https://github.com/xamarin/MobileBlazorBindings/issues/54 Charles Roddie --> Charles Roddie --> February 11, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> XAML is a weak technology, just covered with bandaids so some devs don't notice it's falling apart. Although allied to .Net, it makes little use of .Net type systems, with stringly typed objects all over the place and an untyped binding framework. The binding framework has made a complete mess of repositories including Xamarin.Forms, where it a huge drag on development. It's like using .Net code before generics. It also has allowed .Net developers to remain in a confused state in which markup takes precedence over types. "A button is a buton"? You mean that the string "button" is the string... Read more XAML is a weak technology, just covered with bandaids so some devs don’t notice it’s falling apart. Although allied to .Net, it makes little use of .Net type systems, with stringly typed objects all over the place and an untyped binding framework. The binding framework has made a complete mess of repositories including Xamarin.Forms, where it a huge drag on development. It’s like using .Net code before generics. It also has allowed .Net developers to remain in a confused state in which markup takes precedence over types. “A button is a buton”? You mean that the string “button” is the string “button”? Or that there are two Button types that are actually the same. Read less Patrick Morris --> Patrick Morris --> February 13, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> I am confused. I have used XAML for many years and find it to be absolutely wonderful in building UI’s. It sounds like you are saying XAML has issues because of potential namespace conflicts or developers naming things incorrectly. Is this not a common problem in any UI framework? Read next February 11, 2020 .NET Framework February 2020 Security and Quality Rollup Tara Overfield February 12, 2020 Deprecating TLS 1.0 and 1.1 on NuGet.org – Stage 1 The NuGet Team Stay informed Get notified when new posts are published. Email * Country/Region * Select... United States Afghanistan Åland Islands Albania Algeria American Samoa Andorra Angola Anguilla Antarctica Antigua and Barbuda Argentina Armenia Aruba Australia Austria Azerbaijan Bahamas Bahrain Bangladesh Barbados Belarus Belgium Belize Benin Bermuda Bhutan Bolivia Bonaire Bosnia and Herzegovina Botswana Bouvet Island Brazil British Indian Ocean Territory British Virgin Islands Brunei Bulgaria Burkina Faso Burundi Cabo Verde Cambodia Cameroon Canada Cayman Islands Central African Republic Chad Chile China Christmas Island Cocos (Keeling) Islands Colombia Comoros Congo Congo (DRC) Cook Islands Costa Rica Côte dIvoire Croatia Curaçao Cyprus Czechia Denmark Djibouti Dominica Dominican Republic Ecuador Egypt El Salvador Equatorial Guinea Eritrea Estonia Eswatini Ethiopia Falkland Islands Faroe Islands Fiji Finland France French Guiana French Polynesia French Southern Territories Gabon Gambia Georgia Germany Ghana Gibraltar Greece Greenland Grenada Guadeloupe Guam Guatemala Guernsey Guinea Guinea-Bissau Guyana Haiti Heard Island and McDonald Islands Honduras Hong Kong SAR Hungary Iceland India Indonesia Iraq Ireland Isle of Man Israel Italy Jamaica Jan Mayen Japan Jersey Jordan Kazakhstan Kenya Kiribati Korea Kosovo Kuwait Kyrgyzstan Laos Latvia Lebanon Lesotho Liberia Libya Liechtenstein Lithuania Luxembourg Macau SAR Madagascar Malawi Malaysia Maldives Mali Malta Marshall Islands Martinique Mauritania Mauritius Mayotte Mexico Micronesia Moldova Monaco Mongolia Montenegro Montserrat Morocco Mozambique Myanmar Namibia Nauru Nepal Netherlands New Caledonia New Zealand Nicaragua Niger Nigeria Niue Norfolk Island North Macedonia Northern Mariana Islands Norway Oman Pakistan Palau Palestinian Authority Panama Papua New Guinea Paraguay Peru Philippines Pitcairn Islands Poland Portugal Puerto Rico Qatar Réunion Romania Rwanda Saba Saint Barthélemy Saint Kitts and Nevis Saint Lucia Saint Martin Saint Pierre and Miquelon Saint Vincent and the Grenadines Samoa San Marino São Tomé and Príncipe Saudi Arabia Senegal Serbia Seychelles Sierra Leone Singapore Sint Eustatius Sint Maarten Slovakia Slovenia Solomon Islands Somalia South Africa South Georgia and South Sandwich Islands South Sudan Spain Sri Lanka St Helena Ascension Tristan da Cunha Suriname Svalbard Sweden Switzerland Taiwan Tajikistan Tanzania Thailand Timor-Leste Togo Tokelau Tonga Trinidad and Tobago Tunisia Turkey Turkmenistan Turks and Caicos Islands Tuvalu U.S. Outlying Islands U.S. Virgin Islands Uganda Ukraine United Arab Emirates United Kingdom Uruguay Uzbekistan Vanuatu Vatican City Venezuela Vietnam Wallis and Futuna Yemen Zambia Zimbabwe I would like to receive the .NET Blog Newsletter. Privacy Statement. Subscribe Follow this blog Are you sure you wish to delete this comment? × --> OK Cancel Sign in Theme Insert/edit link Close Enter the destination URL URL Link Text Open link in a new tab Or link to existing content Search No search term specified. Showing recent items. Search or use up and down arrow keys to select an item. Cancel Code Block × Paste your code snippet Ok Cancel What's new Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot for organizations Copilot for personal use AI in Windows Explore Microsoft products Windows 11 apps Microsoft Store Account profile Download Center Microsoft Store support Returns Order tracking Certified Refurbished Microsoft Store Promise Flexible Payments Education Microsoft in education Devices for education Microsoft Teams for Education Microsoft 365 Education How to buy for your school Educator training and development Deals for students and parents AI for education Business Microsoft Cloud Microsoft Security Dynamics 365 Microsoft 365 Microsoft Power Platform Microsoft Teams Microsoft 365 Copilot Small Business Developer & IT Azure Microsoft Developer Microsoft Learn Support for AI marketplace apps Microsoft Tech Community Microsoft Marketplace Marketplace Rewards Visual Studio Company Careers About Microsoft Company news Privacy at Microsoft Investors Diversity and inclusion Accessibility Sustainability Your Privacy Choices Opt-Out Icon Your Privacy Choices Your Privacy Choices Opt-Out Icon Your Privacy Choices Consumer Health Privacy Sitemap Contact Microsoft Privacy Manage cookies Terms of use Trademarks Safety & eco Recycling About our ads © Microsoft 2025 | 2026-01-13T08:47:44 |
https://get.fun/#1 | Where Fun is the Name of the Game and the Domain Extension! Home Why .fun? Our Partners About Us Contact Us Login/Signup From gamers and standup comics to entrepreneurs and content creators, make it about the power of your ideas with a .fun domain extension! speedcircuit.fun pocketgamer.fun fortnite.fun neal.fun speedcircuit.fun pocketgamer.fun fortnite.fun neal.fun Brand your site in a way that’s instantly appealing. Unique way to brand yourself or your business and make it more memorable to potential customers. .com may have been exciting 30 years ago. But now? The corporate world is dull enough without yet another dry-sounding website clogging up the servers. A.fun domain is the holy grail of all domain names - it's the only way to achieve ultimate enlightenment, inner peace, and eternal happiness! Well, maybe not but you get the point! Choose .fun and add some spark to your online presence. Get your .fun domain At .fun, we're on a mission to bring a little more laughter to the world and make the Internet a happier place. As fun-centric entrepreneurs ourselves, we understand the importance of having a memorable and unique online presence. With .fun designed to infuse some humor and personality into your website. It’s perfect for light-hearted businesses in any industry who find their calling on the brighter side of life and want to leave a lasting impression on their customers. If that’s you, then here we are. Have Questions? Get in touch! At .fun, we're on a mission to bring a little more laughter to the world and make the Internet a happier place. As fun-centric entrepreneurs ourselves, we understand the importance of having a memorable and unique online presence. With .fun designed to infuse some humor and personality into your website. It’s perfect for light-hearted businesses in any industry who find their calling on the brighter side of life and want to leave a lasting impression on their customers. If that’s you, then here we are. Have Questions? Get in touch! We're excited to work with you to find the perfect domain. Give us a shout and start unleashing the power of your ideas. We're excited to work with you to find the perfect domain. Give us a shout and start unleashing the power of your ideas. Get in touch Name Dot Store Inc, 303 Aarti Chambers, Victoria, Mahe, Republic of Seychelles 1800 34 4433 [email protected] Looking for a sponsor for your .fun website? Write to Us! Looking for a sponsor for your fun website? Write to Us! © 2025 Name Dot Store Inc. All Rights Reserved. Privacy Policy Terms & Conditions | 2026-01-13T08:47:44 |
https://www.icann.org/resources/pages/educational-2012-02-25-en | Registrant Educational Materials - ICANN Skip to main content Search ICANN.org Log In Sign Up Get Started ICANN for Beginners Fellowship Program NextGen@ICANN Program History News and Media Announcements Blog Media Resources Press Releases Global Newsletters ICANN News Subscriptions Regional Reports Policy Develop Policy Operational Design Phase (ODP) Implement Policy Community Participation Guidelines Public Comment Public Comment Home Upcoming Proceedings Open Proceedings Closed Proceedings About Public Comment Other Public Consultations Resources Board Activities and Meetings Accountability Mechanisms Contracted Parties (Registry Operators and Accredited Registrars) Domain Name Registrants Contractual Compliance Domain Name Security Threats Privacy and Proxy Services Government Engagement Careers Complaints Office I Need Help ICANN 25th Anniversary Photo Mosaic Community Engagement Calendar Address Supporting Organization (ASO) Country Code Names Supporting Organization (ccNSO) Generic Names Supporting Organization (GNSO) At-Large Advisory Committee (ALAC) Governmental Advisory Committee (GAC) Root Server System Advisory Committee (RSSAC) Security and Stability Advisory Committee (SSAC) Quicklinks Board Activities and Meetings Data Protection and Privacy Domain Name Registrants Engagement Calendar IANA Services ICANN Acronyms and Terms ICANN Grant Program New gTLD Program Public Technical Identifiers (PTI) Open Data Question About A Domain Name? Technology @ ICANN WSIS+20 Outreach Network Resources About ICANN Academic Engagement Acronyms and Terms Courses and Learning ICANN for Beginners Participate What ICANN Does Effect on the Internet What's Going On Now How to Participate Fellowship Program Committee Terms & Conditions NextGen@ICANN Program President's Corner ICANN Management Organization Chart Staff Careers In Focus ICANN Response Planning Framework DNSSEC Standards IANA DNSSEC Root Information TLD DNSSEC Report Root Deployment Deployment Graph Tools Training Key Ceremony News Blog Posts Presentations Related Sites GNSO Improvements Travel Support Media Resources ICANN News About ICANN Subscribe and Follow Contacts Board Activities and Meetings Accountability Accountability Mechanisms Reconsideration Independent Review Process Updating the IRP Ombuds Empowered Community Empowered Community Administration Empowered Community Administration Mailing List Empowered Community Correspondence Document Disclosure Reviews Organizational Reviews ALAC ASO Board ccNSO GNSO Nominating Committee RSSAC SSAC Technical Liaison Group Specific Reviews Accountability & Transparency Registration Directory Service Security, Stability, and Resiliency Competition, Consumer Trust & Consumer Choice CCT Metrics Expected Standards of Behavior Employee Practices and Resources Enhancing ICANN Accountability – Work Stream 2 Implementation Governance Governance Documents Evolving ICANN’s Multistakeholder Model Agreements NTIA IANA Functions' Stewardship Transition Call for Public Input: Draft Process to Develop the Proposal (8 April-8 May 2014 Process to Develop the Proposal and Next Steps Registry Archive Affirmation of Commitments AOC Tracking ccTLD Partnership Memorandums of Understanding Registrar Archive Annual Reports Financials Financial Reports Policies, Guidelines and Procedures Annual Disclosure of Payments to Suppliers Lobbying Disclosures & Contribution Reports Planning Strategic Plan ICANN Strategic Plan for FY26-30 ICANN Strategic Plan for FY21-25 Strategic Outlook Trends Program ICANN Strategic Plan for FY16-20 Operating Plan Presentations RFPs Litigation Newsletter Correspondence 2026 2025 2024 2023 2022 2021 2020 2019 2018 2017 2016 2015 2014 2013 2012 2011 2010 2009 2008 2007 2006 2005 2004 2003 2002 2001 2000 1999 1998 Quarterly Reports Groups 2023 ICANN CEO Search Committee RSSAC Charter SSAC GAC At-Large ASO ccNSO GNSO Technical Liaison Group Technical Experts Group (TEG) NomCom Past NomComs Customer Standing Committee Root Zone Evaluation Review Committee (RZERC) Business Civil Society Complaints Office Complaints Report Domain Name System Abuse Contractual Compliance About Enforcement of DNS Abuse Obligations Formal Enforcement Notices Archive Contractual Compliance Metrics Blogs Contractual Compliance Audit Program Notice of Bankruptcy, Convictions and Security Breaches Contractual Compliance Reports Audit Reports Enforcement of DNS Abuse Mitigation Requirements: Periodic Reviews Contractual Compliance Monthly Reports gTLD Registry Compliance Accredited Registrar Compliance General Questions Outreach Contracted Parties (Registry Operators and Accredited Registrars) Domain Name Registrants About Domain Names ICANN Policies Registration Data Policies WHOIS and Registration Data Directory Services The Domain Name Registration Process Using Domain Name Registration Data Keeping Registration Data Accurate Access and the Evolution of the WHOIS System Domain Name Industry Registering Domain Names Managing Domain Names Contact Information and WDRP Securely Managing Your Domain Name Transferring Domain Names Renewing Domain Names Rights and Responsibilities Spam, Phishing, and Website Content Trademark Infringement GDS Metrics Identifier Systems Security, Stability and Resiliency (OCTO-SSR) ccTLDs Background Materials Agreements Delegation Root Zone Database Model MOU Workshops ICANN and ISO Internationalized Domain Names Root Zone Label Generation Rules (LGR) Generation Panel Update Maximal Starting Repertoire Proposals for Root Zone Label Generation Ruleset IDN Variant TLD Implementation LGR Toolset IDN ccTLD Fast Track IDN Implementation Guidelines Second-Level LGR Reference Resources Announcements and Blogs Posts New gTLD Program Universal Acceptance Initiative Make your systems UA-ready UA Training UA Day UA Readiness Evaluations UA Initiatives Announcements and Blogs Posts Policy Policy Mission Policy Staff Goals Presentations Global Addressing IPv6 Allocation ASN Allocation Post Exhaustion IPv4 Allocation New RIRs Criteria Review Procedures Policy Updates Operational Design Phase (ODP) Implementation Public Comment Open Upcoming Archive Root Zone KSK Rollover Technical Functions Tech Day Archive ICANN Locations Report Security Issues PGP Keys Certificate Authority Registry Liaison Ombudsman I Need Help Dispute Resolution Domain Name Dispute Resolution Charter Eligibility Dispute Resolution Policy Providers Rules Eligibility Requirements Dispute Resolution Policy Providers Rules Intellectual Property Defensive Registration Challenge Policy Providers Rules Qualification Challenge Policy Providers Rules Restrictions Dispute Resolution Policy Providers Rules Transfer Dispute Resolution Policy Providers Uniform Domain Name Dispute Resolution Policy Policy Document Providers Provider Approval Process Rules Principal Documents Proceedings Historical Documents Timeline Name Collision FAQ: IT Professionals FAQ: Registries Guide for IT Professionals Recommendations for New ccTLDs Report a Problem Registrar Problems Whois Data Correction Independent Review Process Request for Reconsideration Document Registrant Educational Materials What is Domain Name? What is a registrar? How do I renew my domain name? What if I forget to renew my domain name? ICANN is not responsible for profile content or verification of user details. YouTube Twitter LinkedIn Flickr Facebook Newsletters Community Wiki ICANN Blog Who We Are Get Started ICANN Learn Participate Groups Board Members President's Corner Staff Careers Public Responsibility Contact Us Locations I Need Help Report Security Issues Certificate Authority Registry Liaison Ombuds Complaints Office Media Resources Accountability And Transparency Accountability Mechanisms Document Disclosure Independent Review Process Request for Reconsideration Empowered Community Employee Anonymous Hotline Policy and Procedures Governance Governance Documents Agreements Organizational Reviews Specific Reviews Annual Report Financials Planning RFPs Litigation Correspondence Help Dispute Resolution Domain Name Dispute Resolution Name Collision ICANN Lookup Registration Data Request Service (RDRS) Data Protection Data Privacy Practices Privacy Policy Terms of Service Cookies Policy © Internet Corporation for Assigned Names and Numbers. Privacy Policy Terms of Service Cookies Policy Domain Name System Internationalized Domain Name ,IDN,"IDNs are domain names that include characters used in the local representation of languages that are not written with the twenty-six letters of the basic Latin alphabet ""a-z"". An IDN can contain Latin letters with diacritical marks, as required by many European languages, or may consist of characters from non-Latin scripts such as Arabic or Chinese. Many languages also use other types of digits than the European ""0-9"". The basic Latin alphabet together with the European-Arabic digits are, for the purpose of domain names, termed ""ASCII characters"" (ASCII = American Standard Code for Information Interchange). These are also included in the broader range of ""Unicode characters"" that provides the basis for IDNs. The ""hostname rule"" requires that all domain names of the type under consideration here are stored in the DNS using only the ASCII characters listed above, with the one further addition of the hyphen ""-"". The Unicode form of an IDN therefore requires special encoding before it is entered into the DNS. The following terminology is used when distinguishing between these forms: A domain name consists of a series of ""labels"" (separated by ""dots""). The ASCII form of an IDN label is termed an ""A-label"". All operations defined in the DNS protocol use A-labels exclusively. The Unicode form, which a user expects to be displayed, is termed a ""U-label"". The difference may be illustrated with the Hindi word for ""test"" — परीका — appearing here as a U-label would (in the Devanagari script). A special form of ""ASCII compatible encoding"" (abbreviated ACE) is applied to this to produce the corresponding A-label: xn--11b5bs1di. A domain name that only includes ASCII letters, digits, and hyphens is termed an ""LDH label"". Although the definitions of A-labels and LDH-labels overlap, a name consisting exclusively of LDH labels, such as""icann.org"" is not an IDN." | 2026-01-13T08:47:44 |
https://get.fun/#3 | Where Fun is the Name of the Game and the Domain Extension! Home Why .fun? Our Partners About Us Contact Us Login/Signup From gamers and standup comics to entrepreneurs and content creators, make it about the power of your ideas with a .fun domain extension! speedcircuit.fun pocketgamer.fun fortnite.fun neal.fun speedcircuit.fun pocketgamer.fun fortnite.fun neal.fun Brand your site in a way that’s instantly appealing. Unique way to brand yourself or your business and make it more memorable to potential customers. .com may have been exciting 30 years ago. But now? The corporate world is dull enough without yet another dry-sounding website clogging up the servers. A.fun domain is the holy grail of all domain names - it's the only way to achieve ultimate enlightenment, inner peace, and eternal happiness! Well, maybe not but you get the point! Choose .fun and add some spark to your online presence. Get your .fun domain At .fun, we're on a mission to bring a little more laughter to the world and make the Internet a happier place. As fun-centric entrepreneurs ourselves, we understand the importance of having a memorable and unique online presence. With .fun designed to infuse some humor and personality into your website. It’s perfect for light-hearted businesses in any industry who find their calling on the brighter side of life and want to leave a lasting impression on their customers. If that’s you, then here we are. Have Questions? Get in touch! At .fun, we're on a mission to bring a little more laughter to the world and make the Internet a happier place. As fun-centric entrepreneurs ourselves, we understand the importance of having a memorable and unique online presence. With .fun designed to infuse some humor and personality into your website. It’s perfect for light-hearted businesses in any industry who find their calling on the brighter side of life and want to leave a lasting impression on their customers. If that’s you, then here we are. Have Questions? Get in touch! We're excited to work with you to find the perfect domain. Give us a shout and start unleashing the power of your ideas. We're excited to work with you to find the perfect domain. Give us a shout and start unleashing the power of your ideas. Get in touch Name Dot Store Inc, 303 Aarti Chambers, Victoria, Mahe, Republic of Seychelles 1800 34 4433 [email protected] Looking for a sponsor for your .fun website? Write to Us! Looking for a sponsor for your fun website? Write to Us! © 2025 Name Dot Store Inc. All Rights Reserved. Privacy Policy Terms & Conditions | 2026-01-13T08:47:44 |
https://www.commarts.com/gallery?d=typography&c=typeface-design&y=2020 | Gallery Disciplines Gallery Magazine Enter Competition Subscribe Get Our Newsletter Advertising Design Illustration Interactive Photography Typography Subscribe Now Subscribe Student Gift Sign In | Register — Magazine Enter Competition — Home Columns Award Winners Exhibit Features Timeline Fresh Webpicks Book Reviews — Subscribe Now Get Our Newsletter Contact Us About Us Creative Hotlist Advertise With Us Submit Work Write For Us Customer Service Privacy Policy & Terms of Use ©2026 Coyne & Blanchard, Inc. All rights Reserved. — Follow Us Loading ... Filter by: Filter By Typography All Advertising Design Illustration Interactive Photography Typography Category All Best-in-Show Books Brochures Calligraphy/Hand Lettering Digital Advertising Editorial Environmental Ephemera For Sale Identity Program Integrated Campaigns Miscellaneous Mobile/Tablet Motion Packaging Posters Print Advertising Public Service Radio Commercials Sales Promotion Self-Promotion Television Commercials Trademarks Typeface Design Student Work Unpublished Websites/Microsites Best-in-Show Best-in-Show Best-in-Show Best-in-Show Best-in-Show Best-in-Show Books Books Books Books Brochures Brochures Brochures Brochures Calligraphy/Hand Lettering Digital Advertising Digital Advertising Digital Advertising Digital Advertising Digital Advertising Editorial Editorial Editorial Editorial Environmental Environmental Environmental Environmental Environmental Ephemera Ephemera Ephemera Ephemera For Sale For Sale Identity Program Integrated Campaigns Miscellaneous Miscellaneous Miscellaneous Miscellaneous Mobile/Tablet Motion Motion Motion Motion Packaging Packaging Packaging Packaging Posters Posters Posters Posters Posters Print Advertising Print Advertising Print Advertising Print Advertising Public Service Public Service Radio Commercials Sales Promotion Sales Promotion Self-Promotion Self-Promotion Self-Promotion Self-Promotion Television Commercials Trademarks Trademarks Typeface Design Student Work Student Work Student Work Student Work Student Work Student Work Unpublished Unpublished Unpublished Websites/Microsites Websites/Microsites Websites/Microsites Industry All Art/Design Business Education Entertainment Fashion/Beauty Food/Drink Health Lifestyle News Politics/Social Issues Sports Technology Travel/Transportation Year All 2026 2025 2024 2023 2022 2021 2020 2019 2018 2017 2016 2015 2014 2013 2012 2011 2010 2009 2008 2007 2006 2005 2004 X With a free Commarts account, you can enjoy 50% more free content Create an Account Get a subscription and have unlimited access Subscribe Already a subscriber or have a Commarts account? Sign In X Get a subscription and have unlimited access Subscribe Already a subscriber? Sign In | 2026-01-13T08:47:44 |
https://get.fun/#4 | Where Fun is the Name of the Game and the Domain Extension! Home Why .fun? Our Partners About Us Contact Us Login/Signup From gamers and standup comics to entrepreneurs and content creators, make it about the power of your ideas with a .fun domain extension! speedcircuit.fun pocketgamer.fun fortnite.fun neal.fun speedcircuit.fun pocketgamer.fun fortnite.fun neal.fun Brand your site in a way that’s instantly appealing. Unique way to brand yourself or your business and make it more memorable to potential customers. .com may have been exciting 30 years ago. But now? The corporate world is dull enough without yet another dry-sounding website clogging up the servers. A.fun domain is the holy grail of all domain names - it's the only way to achieve ultimate enlightenment, inner peace, and eternal happiness! Well, maybe not but you get the point! Choose .fun and add some spark to your online presence. Get your .fun domain At .fun, we're on a mission to bring a little more laughter to the world and make the Internet a happier place. As fun-centric entrepreneurs ourselves, we understand the importance of having a memorable and unique online presence. With .fun designed to infuse some humor and personality into your website. It’s perfect for light-hearted businesses in any industry who find their calling on the brighter side of life and want to leave a lasting impression on their customers. If that’s you, then here we are. Have Questions? Get in touch! At .fun, we're on a mission to bring a little more laughter to the world and make the Internet a happier place. As fun-centric entrepreneurs ourselves, we understand the importance of having a memorable and unique online presence. With .fun designed to infuse some humor and personality into your website. It’s perfect for light-hearted businesses in any industry who find their calling on the brighter side of life and want to leave a lasting impression on their customers. If that’s you, then here we are. Have Questions? Get in touch! We're excited to work with you to find the perfect domain. Give us a shout and start unleashing the power of your ideas. We're excited to work with you to find the perfect domain. Give us a shout and start unleashing the power of your ideas. Get in touch Name Dot Store Inc, 303 Aarti Chambers, Victoria, Mahe, Republic of Seychelles 1800 34 4433 [email protected] Looking for a sponsor for your .fun website? Write to Us! Looking for a sponsor for your fun website? Write to Us! © 2025 Name Dot Store Inc. All Rights Reserved. Privacy Policy Terms & Conditions | 2026-01-13T08:47:44 |
https://www.postman.com/state-of-api/ | 2025 State of the API Report | Postman Home Product POSTMAN PLATFORM Postman Overview Security Integrations EXPLORE Postman API Network MCP Catalog Download Postman → DESIGN Spec Hub Manage specifications Mock Servers Validate API behavior BUILD Collections Organize API requests Workspaces Collaborate with teams Flows Create visual workflows TEST API Client Send API requests Collection Runner Run API workflows Postman CLI Run from command line OBSERVE Insights Track every endpoint Monitors Validate performance AI Agent Mode Automate API tasks AI Agent Builder Build AI agents MCP Server Connect AI agents Solutions USE CASES Test Automation Create, run, and manage API tests at scale API Security Control access and manage secrets AI Streamline workflows across the API lifecycle API Distribution and Reuse Publish APIs internally or publicly API Governance Enforce API standards at scale API Documentation Instantly generate up-to-date docs Workflow Intelligence Use APIs to build effective agents and workflows Small and Medium Teams Optimize API workflows for small and medium teams Pricing Enterprise Resources Learn Learning Hub Docs Postman Academy Templates Customer stories Postman Best Practices CONNECT Community Events Discord GET SUPPORT Support Center Release notes Postman Status Trust and Security POSTMAN Blog Press and media About Postman Contact Sales Sign In Sign Up for Free Product POSTMAN PLATFORM Postman Overview Security Integrations EXPLORE Postman API Network MCP Catalog Download Postman → DESIGN Spec Hub Manage specifications Mock Servers Validate API behavior BUILD Collections Organize API requests Workspaces Collaborate with teams Flows Create visual workflows TEST API Client Send API requests Collection Runner Run API workflows Postman CLI Run from command line OBSERVE Insights Track every endpoint Monitors Validate performance AI Agent Mode Automate API tasks AI Agent Builder Build AI agents MCP Server Connect AI agents Solutions USE CASES Test Automation Create, run, and manage API tests at scale API Security Control access and manage secrets AI Streamline workflows across the API lifecycle API Distribution and Reuse Publish APIs internally or publicly API Governance Enforce API standards at scale API Documentation Instantly generate up-to-date docs Workflow Intelligence Use APIs to build effective agents and workflows Small and Medium Teams Optimize API workflows for small and medium teams Pricing Enterprise Resources Learn Learning Hub Docs Postman Academy Templates Customer stories Postman Best Practices CONNECT Community Events Discord GET SUPPORT Support Center Release notes Postman Status Trust and Security POSTMAN Blog Press and media About Postman Contact Sales Sign In Sign Up for Free 2025 State of the API Report 2025 State of the API Report Introduction Who's Behind the Data AI-Native Developers AI Agents as API Consumers APIs as Revenue Drivers MCP Awareness API Collaboration API Testing and Tooling Future Outlook Download the Report Archive → 7th Annual State of the API Report APIs are no longer just powering applications. They're powering agents. This year, our survey of over 5,700 developers, architects, and executives across the globe reveals that API strategy is fast becoming AI strategy. Download the Report 2025 State of the API Report 2025 State of the API Report Introduction Who's Behind the Data AI-Native Developers AI Agents as API Consumers APIs as Revenue Drivers MCP Awareness API Collaboration API Testing and Tooling Future Outlook Download the Report Archive → Introduction When we first started working with APIs, they were internal tools that looked like glue code between services, wrappers around business logic, or endpoints buried deep inside engineering docs. They were brittle, undocumented, and hard to share. Fast-forward to today, and we're witnessing an inflection where teams are either modernizing APIs to support AI-native use cases or struggling to retrofit in a world that's already moved beyond human-only interactions for APIs. This year's State of the API report captures a turning point: APIs are no longer just powering applications; they're powering agents. To understand how this shift is reshaping developer experience, product strategy, and operational models, we surveyed over 5,700 developers, architects, and executives across the globe. What emerged is a clear signal: API strategy is fast becoming AI strategy. API-first development is accelerating, up 12% from last year For years, API-first was a promising idea: by treating APIs as products rather than projects, organizations would drastically benefit from how they built, scaled, and monetized their digital offerings. Today, the data makes it clear: the shift from code-first to API-first is not just happening, it's accelerating. 18 % We are not at all API first 57 % We are somewhat API-first 25 % We are fully API-first Eighty-two percent of organizations have adopted some level of an API-first approach, with 25% operating as fully API-first organizations, a 12% increase from 2024. This represents a strong signal that APIs are no longer seen as byproducts of engineering, but as durable products that are the foundation for adopting AI agents. This shift mirrors what we've seen firsthand: when APIs are treated as long-lived products with roadmaps, feedback loops, and SLAs, they unlock scale in ways code-level abstractions never could. Instead of brittle handoffs and repeated rewrites, teams start designing for reuse. And it's not just a technical transformation, it's organizational. Fully API-first teams are often the ones aligning product and engineering early, embedding governance into workflows, and thinking about how APIs will be consumed both by humans and machines, internally and externally. API Maturity Assessment You may be paying the price for poor APIs. Take the assessment → Inside the report We'll examine five critical trends reshaping how an API-first approach supports AI adoption: The AI-API gap 89% of developers use AI, but only 24% design APIs for AI agents. AI agents are the new API consumers AI agents bring efficiency and scale, but also introduce fresh concerns—51% of developers now cite unauthorized agent access as a top security risk. APIs drive revenue APIs have become profit drivers, with 65% of organizations generating revenue from their API programs. MCP awareness surges, but adoption lags The Model Context Protocol (MCP) is emerging as the connective layer between AI agents and APIs for machines to discover, understand, and invoke APIs. While 70% of developers are aware of MCP, only 10% are using it regularly, pointing to a growing interest but limited readiness. Broken collaboration means broken APIs 93% of teams struggle with API collaboration, leading to duplicated work, delays, and degraded quality. Who's behind the data To understand where APIs are headed, it's critical to learn from the people building them. This year's survey reflects insights from those on the front lines. Seventy-three percent of respondents work in engineering or software development. The voices span seniority levels: 8% are executives, VPs, or directors (including 4% C-level) shaping API strategy. 22% are principals and tech leads translating vision into architecture. 35% are mid-level developers focused on implementation. This distribution gives us a balanced view grounded in real-world challenges, strategic decisions, and day-to-day API work. Loading chart... API development is global and asynchronous APIs are foundational, critical work for developers with 69% spending 10+ hours per week on API-related tasks, making it a significant portion of their professional focus. 31 % Less than 10 hours 43 % 10-20 hours 26 % More than 20 hours The work is truly global: 43% are located in Asia-Pacific and 30% in North America, creating a distributed workforce that spans time zones. When mid-level engineers across different continents do most of the API work, code-only practices can break down. You need shared, repeatable artifacts so anyone can ship safely without tribal knowledge. 30 % North America (NA) 7 % Latin America (LATAM) 20 % Europe, Middle East, Africa (EMEA) 43 % Asia-Pacific (APAC) API-related work demands a solid foundation The most common API activities reveal why coordination matters so much: Testing (81%): verifying API behavior and contracts Developing (73%): writing and maintaining API implementations Documenting (58%): creating and updating API specifications Loading chart... With distributed teams spending significant time on testing, development, and documentation, most changes happen asynchronously. This reality makes the following trends even more critical because the practices that work for co-located teams that build simple applications break down when applied to global teams that build complex API ecosystems. Understanding who works with APIs helps explain why the trends we're seeing matter so much. When engineers distributed across time zones handle the majority of API work, the challenges around AI adoption, security, collaboration, and standardization become magnified. Let's examine how these global teams are navigating five critical shifts in the API landscape. of developers spend more than 20 hours a week on API-related tasks. Developers are AI-native. Most APIs are not. Developers have universally embraced AI tools. Eighty-nine percent use generative AI in their daily work. However, not as many design APIs to handle AI workloads. Many developers still assume human consumption, which creates a fundamental mismatch between how software is built and how it's designed and for whom it's designed. Loading chart... Respondents rely on AI to improve code quality (68%), generate API documentation (41%), and accelerate development cycles. Loading chart... In the past 12 months, Postman has seen 7.53M calls made to AI APIs (+40% YoY). Yet this widespread AI adoption reveals a critical gap: while developers build with AI, most APIs aren't designed for AI consumption. Only 24% of developers actively design APIs with AI agents in mind. The breakdown reveals the industry's cautious approach: 13% design equally for humans and AI agents 7% primarily design for AI agents/machine consumption 5% actively transitioning from human-first to AI-first design Meanwhile, 60% still design primarily for humans only, and 16% haven't even considered AI agents as API consumers yet. 59 % Human developers/applications 13 % Equally for humans and AI agents/systems 7 % AI agents/machine consumption 5 % Transitioning from human-first to AI-first API design 16 % I haven't considered AI agents as API consumers yet This mismatch has real consequences. More of your integration code is now written or assisted by AI. AI Agents rely on precise, machine-readable signals, not tribal knowledge. When your API lacks predictable schemas, typed errors, and clear behavioral rules, AI agents can't function as they're intended to. Pro Tip Use Postman's API documentation tool to generate dynamic, machine-readable documentation for your APIs and automatically keep it up to date. Learn more → Outdated or incomplete documentation frustrates consumers and triggers hours of back-and-forth to find accurate information. Integrated documentation keeps API docs live and in sync with collections, so consumers always work from the latest version. The challenge isn't whether to adapt, it's how quickly you can bridge the gap between AI-powered development and AI-ready infrastructure. AI-ready APIs in 90 days Get the resources you need for AI-ready deployment in 90 days, with APIs that are structured, tested, and trusted by both humans and agents. Download the playbook → While developers rush to embrace AI tools, a new challenge emerges: These same AI systems are becoming the primary consumers of APIs, creating unprecedented security risks that traditional models weren't designed to handle. OpenAI dominates AI traffic (56% of total Postman AI traffic), racking up 4.2M calls over the past 12 months. Gemini and Llama experienced 3.1x and 6.9x year-over-year growth, respectively. AI Agents are your new API consumers. An AI agent can hit your APIs at machine speed with perfect persistence. One leaked token or an over-scoped key can create a system-wide vulnerability. What's more? If you can't tell a human from an agent, you can't enforce least privilege, detect abuse, or meet compliance requirements. Nonetheless, AI agents are API consumers, calling endpoints thousands of times per second, processing data at scales no human could match, and integrating systems in ways that traditional API design never anticipated. But this transformation brings an unexpected twist: The same AI agents that developers build with are now their top security concern. Loading chart... 90-Day AI Readiness Guide Begin your 90-day transformation to turn your APIs into AI-ready tools. Learn more → Fifty-one percent of developers worry about unauthorized or excessive API calls from AI agents—making it their number one security concern. Close behind, 49% are concerned about AI systems accessing sensitive data they shouldn't see, and 46% worry about AI systems sharing or leaking API credentials. New threat models require adjustments Traditional API security models were designed for predictable human behavior: developers making dozens of calls per day, following documented patterns, and operating within reasonable rate limits. AI agents disrupt these assumptions: Machine-speed exploitation: Agents probe vulnerabilities and exploit weaknesses faster than security teams can respond. Persistent automated attacks: Unlike humans, agents maintain attacks indefinitely, systematically testing every endpoint. Credential amplification: A single compromised API key becomes a gateway to multiple systems and vast data extraction. Behavioral unpredictability: Agents access APIs in unexpected ways, making legitimate automation hard to distinguish from attacks. Defending against non-human consumers These security concerns aren't unfounded. When asked about the biggest obstacles to using AI tools at their organizations, developers cite real trust and compliance issues: 36% lack trust in AI systems, and 33% have ethical, legal, and compliance concerns. The solution isn't to avoid AI, though. It's to build the security infrastructure that makes AI adoption safe and compliant. Loading chart... Strategic security adaptations: Agent identification: Distinguish between human and agent traffic with headers, tokens, or other mechanisms. Dynamic rate limiting: Move beyond simple requests-per-minute to behavioral pattern analysis. Least privilege for agents: Scope API keys granularly so agents access only what they need. Enhanced monitoring: Build real-time detection systems for suspicious agent behavior. Credential rotation: Implement shorter-lived tokens and automatic rotation to limit breach impact. What you can do right now, with Postman: Store secrets in Postman Local Vault or leverage one of Postman's Vault Integrations and reference them in environments. Add governance rules to flag missing auth, missing 429 contracts, or overly broad scopes. Use Postman MCP servers to add a secure layer between your APIs and AI agents by strictly defining what data and actions are exposed. MCP servers in Postman only use the tools and endpoints you intentionally expose, giving you full control over what agents can access. Reproduce production issues with Postman Insights. Run contract and security tests in CI on every PR. Track agent traffic and 401/403 spikes with monitoring tools. Connect Postman to your Git tool so policies, tests, and specs live with code. Set up real-time security alerts by configuring notifications for suspicious events, policy violations, and anomalous API usage patterns through Slack/Teams integrations. The organizations that adapt their security models now will be prepared for an agent-driven future. As security challenges mount, there's another reality. APIs are no longer just infrastructure costs, they're revenue engines that demand a product mindset. State of the API for Security We surveyed 246 security professionals, and they revealed how security teams are leading innovation in three critical areas: AI agent readiness, APIs as revenue drivers, and governance at scale. Learn more → of developers worry about unauthorized or excessive API calls from AI agents. APIs drive revenue. Build them like it. The business case for treating APIs as products, not projects, has never been clearer. Sixty-five percent of organizations now generate revenue from their APIs, proving that well-designed API programs transcend cost centers to become profit drivers. Among organizations that do generate API revenue, the distribution reveals substantial business impact across all levels. The majority (74%) generate at least 10% of their total revenue from APIs, with nearly a quarter (25%) deriving more than half their total revenue from API programs. 26 % Less than 10% of total revenue 26 % 10% to 25% of total revenue 23 % 26% to 50% of total revenue 14 % 51% to 75% of total revenue 11 % More than 75% of total revenue Momentum in API investment Organizations are backing this revenue generation with increased investment. Forty-six percent plan to spend more time and resources on APIs in the next 12 months, compared to just 11% planning to reduce investment. This isn't just about direct monetization. It's about recognizing APIs as strategic assets that enable business growth. Loading chart... Pro Tip Launch, distribute, and grow your APIs with the Postman API Network , where consumers can deliver real-time feedback for improvement. Not only do organizations directly monetize their APIs, but revenue comes through multiple channels that compound over time: Improved user experience (54%): Better connected services and faster feature delivery create customer value that translates to business value. Reduced engineering overhead (42%): Less duplicate work and clearer integration patterns free up resources for innovation rather than maintenance. Improved AI readiness (34%): APIs designed for machine consumption position organizations to capitalize on AI-driven opportunities. New revenue streams (22%): Developer programs, partner ecosystems, and marketplace offerings provide direct monetization opportunities. Loading chart... of organizations now generate revenue from their APIs. The API-first revenue reality The connection between API-first practices and revenue generation is clear in the data. Organizations that are fully API-first are significantly more likely to generate substantial revenue from their APIs: 43% of fully API-first organizations generate more than 25% of total revenue from APIs, compared to just 23% of somewhat API-first and 16% of non-API-first organizations. 20% of fully API-first organizations generate more than 75% of total revenue from APIs, more than double the rate of other organizations. Conversely, 42% of non-API-first organizations generate less than 10% of revenue from APIs. Loading chart... This isn't coincidental. The organizations generating the most revenue from APIs share common characteristics in how they approach API development: Contract-first design enables parallel development and reduces integration friction. Centralized governance ensures consistency across teams and products. Developer-focused documentation makes adoption faster and more successful. Usage monitoring and analytics provide visibility into what drives value. Automated testing and deployment maintain reliability at scale. An API-first approach enables us to offer developers increased flexibility, accelerated time to market, and scalability. At PayPal, we're committed to creating a simplified experience for developers. Mudita Tiwari , Senior Director, Developer Experiences, PayPal When adoption and reliability move the P&L, not just delivery speed, every API decision becomes a business decision. With APIs driving real revenue, organizations face a critical infrastructure choice. How do they balance an API-first approach with preparation for an AI-driven future while emerging protocols are still gaining adoption? State of the API for Financial Services When it comes to API-driven business models, financial services firms are out-investing their counterparts in technology, retail, healthcare, and every other sector we measured. Learn more → of fully API-first organizations generate more than 25% of total revenue from APIs. MCP is early, but it's gaining momentum. MCP is emerging as the connective layer between AI agents and APIs for machines to discover, understand, and invoke APIs. Given that MCP launched just nine months ago, an impressive two-thirds of developers are already aware of it. This signals positive momentum for AI's emerging universal language. However, awareness doesn't equal implementation: only 10% use MCP regularly in daily work, though 24% plan to explore it, indicating significant future adoption. 31 % I'm not familiar with MCP 24 % I haven't used MCP yet, but I plan to explore it 19 % I've used MCP occasionally for experimentation or side projects 10 % I use MCP regularly as part of my daily work 7 % I've evaluated MCP but chose not to implement it 5 % I've used MCP in the past but no longer do 4 % I haven't used MCP and don't intend to This shift creates both a risk and an opportunity. While AI agents are becoming routine API consumers, most organizations haven't yet invested in the governance, observability, or security models needed to manage non-human access at scale. of developers plan to explore MCP. Here's how you can build an MCP server yourself. Learn more → Agents don't wait for standards MCP promises to be the structured interface between AI models and real-world systems. In theory, it solves critical problems like unified agent access, standardized security models, and structured tool definitions that agents can reliably understand. But here's the critical insight: Agents are already calling your APIs, with or without MCP. With only 10% regular adoption, MCP hasn't reached mainstream developer workflows. Even among those who've evaluated it, many chose not to implement it, suggesting practical barriers to adoption. If your interface isn't AI agent-ready, every team builds one-off wrappers that break, leak secrets, and waste time. Making your APIs agent-consumable now provides immediate benefits and future flexibility—whether MCP becomes the standard or something else emerges. Build agent-ready APIs today Regardless of MCP adoption timelines, certain practices make APIs more consumable by both humans and machines: Machine-readable schemas with comprehensive OpenAPI specifications, including detailed examples, error codes, and response formats that AI can parse and understand. Predictable patterns across endpoints, consistent naming conventions, standard HTTP status codes, uniform authentication, and error handling that reduces cognitive load. Comprehensive documentation that includes context about when and why to use endpoints, not just how, helping AI agents make intelligent decisions about API usage. Robust error handling with typed error responses that provide actionable information for both human developers and automated systems. Rate limiting and authentication designed for high-frequency automated access patterns, not just human usage. The organizations that make their APIs agent-consumable now position themselves to benefit from any agent framework. This is true whether MCP becomes the standard or something else emerges. Agent-ready APIs solve the technical challenge, but there's an equally critical operational challenge. How do teams coordinate effectively when working with these increasingly complex systems? MCP servers have been generated using Public Postman Collections. Try our no-hassle way of using existing API documentation on Postman to create MCPs. Learn more → Broken collaboration means broken APIs Despite all the progress in API tooling and methodologies, 93% of API teams still face collaboration blockers. Only 7% report having no collaboration challenges from the options provided, a surprisingly low number that reveals persistent operational friction even as technical capabilities advance. The most common collaboration failures cluster around information and discovery: Documentation struggles: Inconsistent, outdated, or missing documentation creates confusion about API behavior, requirements, and usage patterns. Duplicate efforts: Teams rebuild functionality that already exists because they can't discover or access existing APIs within the organization. Discovery problems: Developers can't find APIs that solve their problems, leading to wasted time and duplicated work. Loading chart... These issues aren't just inconveniences. They directly impact delivery speed, code quality, and developer productivity. What makes this especially striking is that 84% of teams work in small groups of 1-9 people, yet collaboration still breaks down. If small teams can't collaborate effectively on APIs, the challenges only compound as organizations scale. The single source of truth dilemma The root cause isn't a lack of documentation. It's that the documentation is scattered across too many places. Teams may use chat tools for quick questions, internal docs for formal specifications, emails for approvals, and wikis for examples. When API information lives everywhere, it becomes outdated or unreliable. Loading chart... This means: Context gets lost when conversations happen in Slack, but specifications live in Confluence, and examples exist in someone's personal repository. Updates go missing when changes are communicated in one channel, but not updated everywhere the information exists. Tribal knowledge builds up when the real usage patterns and gotchas exist only in people's heads, not in discoverable formats. Onboarding slows down when new team members have to hunt across multiple systems to understand how APIs actually work. of API teams face collaboration blockers like inconsistent documentation and definitions. Breaking down barriers to collaboration Organizations solving collaboration challenges share common patterns: Centralized API catalogs where teams can discover existing APIs, understand their capabilities, and access current documentation without hunting across systems Living documentation that stays synchronized with code changes, ensuring information accuracy and reducing the documentation debt that causes confusion Shared workspaces where specifications, tests, examples, and conversations exist together, maintaining context and reducing information scatter Usage analytics and feedback loops that show which APIs are actually being used, how they're performing, and where integration problems occur Governance workflows that are built into development processes, rather than separate approval chains that slow teams down The organizations that make their APIs agent-consumable now position themselves to benefit from any agent framework. This is true whether MCP becomes the standard or something else emerges. Agent-ready APIs solve the technical challenge, but there's an equally critical operational challenge. How do teams coordinate effectively when working with these increasingly complex systems? Pro Tip Centralize and store critical API-related information with Postman workspaces where multiple collaborators can fork collections, iterate on designs, and maintain living documentation together. Learn more → Loading chart... Postman's impact on how we build software at Toast has been huge. Not only has it saved time; it has enabled a massively distributed group of people to act as one team. Liz Jackson , Developer Relations Team Lead, Toast The organizations that solve collaboration don't just eliminate frustration. They unlock the productivity gains that API-first promises, but scattered tooling prevents. Postman Collections have been created in the last year across our top ten countries by collections usage. The API tooling and testing landscape: Consolidate or remain fragmented? The tooling landscape reveals both consolidation and fragmentation across the API development lifecycle. CI/CD tooling GitHub Actions leads CI/CD adoption at 54%, beating AWS DevOps (34%) and Azure DevOps (29%). This shows that Git-native workflows are winning, with developers preferring tools that integrate directly with their code repositories. Loading chart... Monitoring and infrastructure gaps Monitoring reveals significant fragmentation: Grafana leads at 36%, followed by Sentry and Elastic at 20% each. Concerningly, 17% use no monitoring tools at all—a gap that becomes critical as APIs drive more business value and face new security threats from AI agents. Loading chart... Gateway adoption follows cloud platform preferences but shows diverse tooling choices. AWS API Gateway leads at 47% and Azure at 26%, while 23% use other gateway solutions. Loading chart... However, the most telling insight is that 31% of organizations use multiple API gateways—20% use two different gateways and 11% use three or more. This multi-gateway reality reflects the complexity of modern API architectures, where different teams, cloud providers, and use cases drive diverse tooling choices. 69 % One 20 % Two 11 % Three or more The traditional single-gateway model is becoming obsolete as organizations manage APIs across multiple clouds, different business units, and varied deployment patterns. Organizations need API management solutions that work across gateway diversity, not platforms that require gateway lock-in. Pro Tip Integrated API management platforms offer a consolidated view of APIs, regardless of their gateway. These tools streamline API discovery, observability, and security, reducing fragmentation. Learn more → REST still dominates at 93%, but modern patterns are growing. Webhooks (50%), WebSockets (35%), and GraphQL (33%) show that while REST remains the foundation, teams are adopting additional patterns for specific use cases like real-time communication and efficient data fetching. Loading chart... Deployment practices show strong automation adoption: 75% use CI/CD pipelines, making automation the standard. Cloud deployment (46%) and frameworks (35%) indicate varied approaches, but the CI/CD foundation provides consistency across different deployment strategies. Loading chart... Testing maturity and gaps Testing practices reveal a maturity gap. Functional and integration testing both reach 67%, showing strong adoption of basic testing practices. Performance testing at 57% indicates growing awareness of scalability concerns. However, contract testing lags at only 17%, a critical gap given the importance of API contracts for both human and AI consumers. Loading chart... Pro Tip Don't let your testing practices fall behind with Postman's easy-to-use API testing templates , including contract testing. Change management inconsistencies Change management shows inconsistent practices: 60% version their APIs and 57% use Git repositories, indicating version control is standard. However, only 26% use semantic versioning, meaning most teams track changes without communicating the impact of those changes effectively. Loading chart... Pro Tip Postman makes it easy to scale your testing maturity. Use Collection Runner for functional and regression tests, and get started with contract testing using built-in templates. Run tests in CI/CD with Postman CLI to catch issues before they reach production. While some tooling pulls ahead and there's strong CI/CD adoption, the supporting ecosystem is fragmented and reveals an industry built on preference rather than standards. The biggest opportunities for improvement lie in bridging the gaps between basic practices (which are widely adopted) and advanced practices (which remain niche) that enable reliable, scalable API programs. This tooling fragmentation compounds the challenges we've explored throughout this report. When distributed teams struggle with coordination, face new security threats from AI agents, and need to build revenue-generating APIs that work for both humans and machines, inconsistent tooling choices create additional friction. The organizations that will thrive are those that recognize these interconnected challenges and address them systematically. Future outlook The API landscape stands at an inflection point where AI readiness will separate leaders from laggards. The trends we've examined throughout this report converge on a single reality: organizations must choose to embrace API-first development and AI-readiness or risk falling behind as competitors build more adaptive, secure, and profitable API ecosystems. Four urgent priorities that will determine competitive positioning in an AI-driven future: APIs must be designed with AI agents in mind. As AI agents become primary API consumers, the APIs designed with machine-readable schemas, predictable patterns, and comprehensive documentation will integrate faster and more reliably than those built only for human consumption. Security models must evolve for AI consumers. Traditional security approaches designed for predictable human behavior cannot handle machine-speed exploitation, persistent automated attacks, and credential amplification. Organizations need new frameworks for identifying, monitoring, and protecting against non-human consumers. Documentation and discovery tools need urgent adoption. With 55% struggling with inconsistent documentation and 34% unable to find existing APIs, the coordination challenges that plague small teams will only worsen as AI agents require precise, machine-readable specifications to function effectively. Revenue-driven API strategies require product thinking. The 65% of organizations already generating revenue from APIs understand that success requires treating APIs as products with developer experience, usage analytics, and lifecycle management, not just technical interfaces. The choice is no longer whether to adapt—it's how quickly and efficiently you can transform your API strategy to thrive in an AI-driven world. Are you paying the price for poor APIs? Complete this five-minute assessment for personalized, actionable next steps to prepare your APIs for what's next in AI, security, and more. Take the assessment → 90-Day AI Readiness Guide Begin your 90-day transformation to turn your APIs into AI-ready tools. Learn more → Product Enterprise Spec Hub Flows Agent Mode VS Code Extension Postman CLI Integrations API Governance Workspaces Plans and pricing API Network App security Artificial intelligence Communication Data analytics Database Developer productivity DevOps E-commerce eSignature Financial services Payments Travel Resources Postman Docs Academy Community Templates Intergalactic Videos MCP Servers New Legal and Security Legal Terms Hub Terms of Service Postman Product Terms Trust and Safety Website Terms of Use Company About Careers and culture Contact us Partner program Customer stories Student programs Press and media Download Postman Privacy Policy Do Not Sell or Share My Personal Information © 2026 Postman, Inc. | 2026-01-13T08:47:44 |
https://get.fun/#2 | Where Fun is the Name of the Game and the Domain Extension! Home Why .fun? Our Partners About Us Contact Us Login/Signup From gamers and standup comics to entrepreneurs and content creators, make it about the power of your ideas with a .fun domain extension! speedcircuit.fun pocketgamer.fun fortnite.fun neal.fun speedcircuit.fun pocketgamer.fun fortnite.fun neal.fun Brand your site in a way that’s instantly appealing. Unique way to brand yourself or your business and make it more memorable to potential customers. .com may have been exciting 30 years ago. But now? The corporate world is dull enough without yet another dry-sounding website clogging up the servers. A.fun domain is the holy grail of all domain names - it's the only way to achieve ultimate enlightenment, inner peace, and eternal happiness! Well, maybe not but you get the point! Choose .fun and add some spark to your online presence. Get your .fun domain At .fun, we're on a mission to bring a little more laughter to the world and make the Internet a happier place. As fun-centric entrepreneurs ourselves, we understand the importance of having a memorable and unique online presence. With .fun designed to infuse some humor and personality into your website. It’s perfect for light-hearted businesses in any industry who find their calling on the brighter side of life and want to leave a lasting impression on their customers. If that’s you, then here we are. Have Questions? Get in touch! At .fun, we're on a mission to bring a little more laughter to the world and make the Internet a happier place. As fun-centric entrepreneurs ourselves, we understand the importance of having a memorable and unique online presence. With .fun designed to infuse some humor and personality into your website. It’s perfect for light-hearted businesses in any industry who find their calling on the brighter side of life and want to leave a lasting impression on their customers. If that’s you, then here we are. Have Questions? Get in touch! We're excited to work with you to find the perfect domain. Give us a shout and start unleashing the power of your ideas. We're excited to work with you to find the perfect domain. Give us a shout and start unleashing the power of your ideas. Get in touch Name Dot Store Inc, 303 Aarti Chambers, Victoria, Mahe, Republic of Seychelles 1800 34 4433 [email protected] Looking for a sponsor for your .fun website? Write to Us! Looking for a sponsor for your fun website? Write to Us! © 2025 Name Dot Store Inc. All Rights Reserved. Privacy Policy Terms & Conditions | 2026-01-13T08:47:44 |
https://www.highlight.io/docs/general/roadmap | Roadmap Star us on GitHub Star Docs Sign in Sign up General Docs Welcome to highlight.io Get Started Roadmap Company Values Compliance & Security Open Source Contributing Overview GraphQL Backend Frontend (app.highlight.io) Landing Site (highlight.io) Documentation End to End SDK Example Apps Adding an SDK Application Architecture GitHub Code Spaces Code Style Good First Issues Self-hosting Self-hosted [Dev] Self-hosted [Hobby] Self-hosted [Enterprise] Telemetry Our Competitors Product Philosophy Product Features Session Replay Overview Canvas & Iframe Dev-tool Window Recording Tracking Users & Recording Events Filtering Sessions GraphQL Live Mode Performance Impact Player Session Caching Rage Clicks Request Proxying Session Search Extracting the Session URL Session Search Deep Linking Shadow Dom + Web Components Error Monitoring Overview Enhancing Errors with GitHub Error Search Filtering Errors Grouping Errors Managing Errors Manually Reporting Errors Sourcemaps General Features Overview Alerts Comments Digests Environments Search Segments Services Webhooks Logging Overview Log Alerts Log Search Tracing Overview Trace Search Dashboards Overview Dashboard Management Metrics Tutorials Service Latency Web Vitals & Page Speed User Engagement User Analytics Graphing Drilldown Event Search Dashboard Variables SQL Editor Metrics (beta) Overview Frequently Asked Questions. Integrations Integrations Overview Amplitude Integration ClickUp Integration Discord Integration Electron Support Front Integration GitHub Integration Grafana Integration Overview Setup Dashboards Alerts Height Integration Intercom Integration Jira Integration LaunchDarkly Integration Linear Integration Mixpanel Integration Nuxt Integration Pendo Integration Segment Integration Slack Integration Vercel Integration WordPress Plugin Highlight.io Changelog Overview Changelog 12 (02/17) Changelog 13 (02/24) Changelog 14 (03/03) Changelog 15 (03/11) Changelog 16 (03/19) Changelog 17 (04/07) Changelog 18 (04/26) Changelog 19 (05/22) Changelog 20 (06/06) Changelog 21 (06/21) Changelog 22 (08/07) Changelog 23 (08/22) Changelog 24 (09/11) Changelog 25 (10/03) Changelog 26 (11/08) Changelog 27 (12/22) Changelog 28 (3/6) Changelog 29 (4/2) Menu Highlight Docs Welcome to highlight.io Get Started Roadmap Company Values Compliance & Security Open Source Contributing Overview GraphQL Backend Frontend (app.highlight.io) Landing Site (highlight.io) Documentation End to End SDK Example Apps Adding an SDK Application Architecture GitHub Code Spaces Code Style Good First Issues Self-hosting Self-hosted [Dev] Self-hosted [Hobby] Self-hosted [Enterprise] Telemetry Our Competitors Product Philosophy Product Features Session Replay Overview Canvas & Iframe Dev-tool Window Recording Tracking Users & Recording Events Filtering Sessions GraphQL Live Mode Performance Impact Player Session Caching Rage Clicks Request Proxying Session Search Extracting the Session URL Session Search Deep Linking Shadow Dom + Web Components Error Monitoring Overview Enhancing Errors with GitHub Error Search Filtering Errors Grouping Errors Managing Errors Manually Reporting Errors Sourcemaps General Features Overview Alerts Comments Digests Environments Search Segments Services Webhooks Logging Overview Log Alerts Log Search Tracing Overview Trace Search Dashboards Overview Dashboard Management Metrics Tutorials Service Latency Web Vitals & Page Speed User Engagement User Analytics Graphing Drilldown Event Search Dashboard Variables SQL Editor Metrics (beta) Overview Frequently Asked Questions. Integrations Integrations Overview Amplitude Integration ClickUp Integration Discord Integration Electron Support Front Integration GitHub Integration Grafana Integration Overview Setup Dashboards Alerts Height Integration Intercom Integration Jira Integration LaunchDarkly Integration Linear Integration Mixpanel Integration Nuxt Integration Pendo Integration Segment Integration Slack Integration Vercel Integration WordPress Plugin Highlight.io Changelog Overview Changelog 12 (02/17) Changelog 13 (02/24) Changelog 14 (03/03) Changelog 15 (03/11) Changelog 16 (03/19) Changelog 17 (04/07) Changelog 18 (04/26) Changelog 19 (05/22) Changelog 20 (06/06) Changelog 21 (06/21) Changelog 22 (08/07) Changelog 23 (08/22) Changelog 24 (09/11) Changelog 25 (10/03) Changelog 26 (11/08) Changelog 27 (12/22) Changelog 28 (3/6) Changelog 29 (4/2) Getting Started Getting Started with Highlight Fullstack Mapping Browser React.js Next.js Remix Vue.js Angular Gatsby.js SvelteKit Electron highlight.run SDK Overview Canvas & WebGL Console Messages Content-Security-Policy Identifying Users iframe Recording Monkey Patches Browser OpenTelemetry Persistent Asset Storage Privacy Proxying Highlight React.js Error Boundary Recording Network Requests and Responses Recording WebSocket Events Salesforce Lightning Web Components (LWC) Data Export Sourcemap Configuration Tracking Events Troubleshooting Upgrading Highlight Versioning Sessions & Errors Other React Native (beta) Server Go Overview chi Echo Fiber Gin GORM gqlgen Logrus Manual Tracing gorilla mux JS Overview Apollo AWS Lambda Cloudflare Workers Express.js Firebase Hono Nest.js Next.js Node.js Pino tRPC Winston Python Overview AWS Lambda Azure Functions Django FastAPI Flask Google Cloud Functions Loguru Other Frameworks Python AI / LLM Libraries Python Libraries Ruby Overview Other Frameworks Ruby on Rails Rust Overview actix-web No Framework Hosting Providers Overview Metrics in AWS Logging in AWS Logging in Azure Fly.io NATS Log Shipper Logging in GCP Heroku Log Drain Render Log Stream Logging in Trigger.dev Vercel Log Drain Elixir Overview Elixir App Java: All Frameworks PHP: All Frameworks C# .NET ASP C# .NET 4 ASP Docker / Docker Compose File Fluent Forward curl OpenTelemetry Protocol (OTLP) Syslog RFC5424 Systemd / Journald Native OpenTelemetry Overview Error Monitoring Logging Tracing Browser Instrumentation Metrics Fullstack Frameworks Overview Next.js Fullstack Overview Next.js Page Router Guide Next.js App Router Guide Edge Runtime Advanced Config Remix Walkthrough Self Host & Local Dev Overview Development deployment guide. Integrations Microsoft Teams self-hosted Hobby deployment guide. Traefik SSL Proxying. Docs Home SDK Client SDK API Reference Cloudflare Worker SDK API Reference Go SDK API Reference Hono SDK API Reference Java SDK API Reference Next.JS SDK API Reference Node.JS SDK API Reference Python SDK API Reference Ruby SDK API Reference Rust SDK API Reference Docs / Highlight Docs / Roadmap Our Public Roadmap Read about what we’re considering, what we have planned, and what we’re building! Feature Request View on GitHub Planned The features that have been scoped out for this quarter. Feel free to contribute ideas. In Progress Check out what we're currently bringing to life. Shipped 🚢 What we've delivered so far. Get Started Overview Company [object Object] | 2026-01-13T08:47:44 |
https://www.algolia.com/products/features/analytics | Optimize user experience with powerful search analytics | Algolia Niket --> Deutsch English français News: Meet us at NRF 2026 Learn more Company Partners Support Login Logout Algolia mark blue Algolia logo blue Products AI Search & Retrieval Overview Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Artificial Intelligence OVERVIEW Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Intelligent Data Kit Overview Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Infrastructure Overview Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Solutions Industries SEE ALL Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Use Cases SEE ALL Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Departments Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Pricing Developers Get started Developer Hub Developer Hub Documentation Documentation Integrations Integrations UI Components UI Components Autocomplete Autocomplete Resources Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events Quick Links Quick Start Guide Quick Start Guide For Open Source For Open Source API Status API Status Support Support Resources Discover Algolia Blog Algolia Blog Resource Center Resource Center Customer Stories Customer Stories Webinars & Events Webinars & Events Newsroom Newsroom Customers Customer Hub Customer Hub What's New What's New Knowledge Base Knowledge Base Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Company Partners Support Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack ANALYTICS Actionable insights Turn user intent into concrete next steps with comprehensive analytics. Get a demo Start building for free Improve your performance Discover popular searches & results, minimize null-results Uncover your best performing products and content. Eliminate poor experiences leading to ‘no results’ that spike dead ends and bounce rates. Transform low performing results with real-time changes Gain visibility into search results with poor click and conversion rates. Improve search relevance by promoting and boosting categories and results with a higher likelihood of purchase. Inform search relevance with data on click positions Improve search relevance by seeing how clicks are distributed. Understand which position received most or least clicks for a search result to drive greater conversion. Take decisions built on data For business practitioners Say ‘no’ to spreadsheet chaos with analytics all in one place. Double down on your data-driven strategy. Track the search terms driving your revenue, fix null-results, evaluate category performance, and plan for seasonal success with historic event insights. Discover the Merchandising Studio For developers Monitor your key indicators, from searches to clickthroughts, seasonality to conversion. Visualize changes and understand your best-performing products and content. Get started with the Analytics API Recommended content B2C ecommerce personalization trends The majority of business leaders list personalization as an integral part of their ecommerce strategy to meet rising customer... Read more Enhance Adobe Experience Manager with Algolia's AI Search Algolia seamlessly integrates into the Adobe tech stack. Deliver the personalized experience customers expect with Algolia's AI-powered Read more Algolia named as a leader in the Gartner Magic Quadrant for Search and Product Discovery See how Algolia was evaluated in Gartner's new research report and why this matters. Read more See more Enable anyone to build great Search & Discovery Get a demo Start free Products Overview AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Use cases Overview Enterprise search Headless commerce Mobile & app search Voice search Image search OEM Site search Developers Developer Hub Documentation Integrations Engineering blog Discord community API status DocSearch For Open Source Live demos GDPR AI Act Integrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distributed & secure Global infrastructure Security & compliance Azure AWS Industries Overview B2C ecommerce B2B ecommerce Marketplaces SaaS Media Startups Fashion Tools Search Grader Ecommerce Search Audit Company About Algolia Careers Newsroom Events Leadership Social impact Contact us Anti-Modern Slavery Statement Awards Social networks Developers Developer Hub Documentation Integrations Engineering blog Discord community API status DocSearch For Open Source Live demos GDPR AI Act Industries Overview B2C ecommerce B2B ecommerce Marketplaces SaaS Media Startups Fashion Tools Search Grader Ecommerce Search Audit Products Overview AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Use cases Overview Enterprise search Headless commerce Mobile & app search Voice search Image search OEM Site search Integrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distributed & secure Global infrastructure Security & compliance Azure AWS Company About Algolia Careers Newsroom Events Leadership Social impact Contact us Anti-Modern Slavery Statement Awards Social networks Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Trust Center Privacy Policy Terms of service Acceptable Use Policy ✕ Hi there 👋 Need assistance? Click here to allow functional cookies to launch our chat agent. 1 | 2026-01-13T08:47:44 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.