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://discourse.llvm.org/t/rfc-use-pre-compiled-headers-to-speed-up-llvm-build-by-1-5-2x/89345?u=nikic | [RFC] Use pre-compiled headers to speed up LLVM build by ~1.5-2x - LLVM Project - LLVM Discussion Forums LLVM Discussion Forums [RFC] Use pre-compiled headers to speed up LLVM build by ~1.5-2x LLVM Project aengelke December 31, 2025, 10:04pm 1 Building LLVM is slow, this is a frequent complaint, especially from people with weaker hardware. Build times are dominated by the C++ front-end, (repeatedly) parsing headers is the most time consuming part. C++ module builds don’t really help (for me), are fragile, and kill parallelism. Therefore, I propose to extensively, but optionally, use pre-compiled headers ( rough draft PR ) for frequently used headers (i.e., C++ stdlib + Support, IR, CodeGen, gtest). This can substantially reduce build times of LLVM by ~1.5-2x, front-end time by ~3x (see breakdown below). stage2-clang build times improve by ~40% on c-t-t . On my laptop (M2 MacBook Air, 4+4 cores), a dual-target LLVM build now just takes 6-7 minutes (incl. tools), unit tests add another 2.5 min. Note that pre-compiled headers are already used in-tree by Flang for some libraries to speed up compilation (e.g. here ). This proposal implements a much more extensive approach, where almost all libraries would use PCHs. Further build time improvements are possible by using more different PCHs for other libraries like clangAST and dependents. Downsides: using PCHs has two caveats: Regular build fails but PCH build succeeds: PCH masks missing includes. Regular build succeeds but PCH build fails: much more “used” includes can cause naming collisions (e.g. llvm::Reloc from llvm/Support/CodeGen.h vs. lld::macho::Reloc from lld/MachO/Relocations.h; where e.g. lld/MachO/InputSections.cpp uses both namespaces) and (rarely) ambiguities due to more available implicit conversions. We’d therefore need CI (at least post-commit) that regularly tests PCH and non-PCH builds to make sure that both builds work. General Questions Does this extensive PCH use has a reasonable chance of getting merged upstream? (If not, I’d not spend more time in polishing this into a mergeable state.) Enable by default vs. not? Flang already uses PCH – what are experiences worth noting? Details: Implementation (+Technical Questions) The current patch builds four pre-compiled headers. This is “somewhat arbitrary” in that I simply selected the headers that show up with long parse times accumulated over all CUs. LLVMSupport, which includes all C++ standard headers and frequently used headers from llvm/Support and llvm/ADT. LLVMCore, which extends LLVMSupport with frequently used headers from llvm/IR. LLVMCodeGen, which extends LLVMCore with frequently used headers from llvm/CodeGen. clangAST, which extends LLVMSupport with some headers from clang/AST. llvm_gtest, which extends LLVMSupport with gtest/gtest.h. Libraries that depend on CodeGen reuse the LLVMCodeGen PCH, depend on Core but not CodeGen reuse the LLVMCore PCH, depend on Support but not Core reuse the LLVMSupport PCH. I currently put the header list in include/llvm//pch.h. Not the best place (we might not want them installed), but lib/ is also not ideal, as e.g. IR/pch.h would include “../Support/pch.h”, which also feels wrong. We could also keep them in CMakeLists.txt, but that’d make reuse of the list more awkwards (e.g., extending the list from LLVMSupport to LLVMCore, which should be a superset). Where to store header list for PCH? Add separate option to enable/disable vs. just rely on standard CMAKE_DISABLE_PRECOMPILE_HEADERS ? Which CI runners use PCH vs. which don’t? (NB: ccache supports PCH, sccache apparently doesn’t.) How to not hard code the PCH selection in AddLLVM.cmake? (replaced with simple dependency chain length heuristic) There’s a minor perf regression in PCH builds, which I haven’t yet investigaged – any ideas why this could be? (I’d have expected the output to be nearly identical.) (I accidentally included iostream…) Two unittests (flang/unittests/Evaluate, clang/unittests/Interpreter/ExceptionTests) use exceptions and also enable RTTI. To build the llvm_gtest PCH without RTTI, I changed the llvm_gtest build to not forcefully enable RTTI. Are there expectable problems from building these two tests with -fexceptions -fno-rtti ? (works for me) (Tangentially related: what is the reason why -fno-exceptions -funwind-tables show up in llvm-config --cxxflags ? Using exceptions when not unwinding through LLVM should be fine, so only -fno-rtti should be there?) If we want PCH by default, on which platforms? There appear to be problems with the Flang PCHs on Windows . (Note to self: the Flang-specific parts here need to be moved to AddLLVM) (done) Details: Data Time breakdown (seconds; collected with -ftime-trace ) with a X86+AArch64 -O1 build on a 48-core machine: main +PCH --------------------------------- ----- ---- ExecuteCompiler 11528 5653 Frontend 9128 3388 Source 6326 1488 PerformPendingInstantiations 2160 1124 CodeGen Function 287 329 Backend 2333 2201 Optimizer 1539 1454 CodeGenPasses 786 741 wall time (48c/96t) 139 86 CPU time (usr+sys) 11706 5919 cmake -DLLVM_TARGETS_TO_BUILD="X86;AArch64" -DCMAKE_BUILD_TYPE=Release -DCMAKE_C_FLAGS_RELEASE=-O1 -DCMAKE_CXX_FLAGS_RELEASE=-O1 -G Ninja -DLLVM_ENABLE_ASSERTIONS=ON -DLLVM_LINK_LLVM_DYLIB=ON -DCMAKE_C_COMPILER=.../clang -DCMAKE_CXX_COMPILER=.../clang++ -DCMAKE_C_FLAGS="-ftime-trace -ftime-trace-granularity=100" -DCMAKE_CXX_FLAGS="-ftime-trace -ftime-trace-granularity=100" -DLLVM_USE_LINKER=lld -B llvm-build && ninja -C llvm-build NB: due to the high parallelism on this machine, the length of the slowest compile units becomes increasingly relevant, e.g. SLPVectorize.cpp takes >40s alone. Also note: using TPDE-LLVM as back-end can replace the time in CodeGenPasses with ~10s, but this will continue to be my local setup. File size of the precompiled headers; total build directory size grows from 961 MiB to 1224 MiB with the config from above: 105M .../LLVMCodeGen.dir/cmake_pch.hxx.pch 69M .../LLVMCore.dir/cmake_pch.hxx.pch 39M .../LLVMSupport.dir/cmake_pch.hxx.pch 43M .../llvm_gtest.dir/cmake_pch.hxx.pch Alternatives Make Clang 3x faster. I see no fundamental reason why parsing C++ has to be this slow, but this is very unlikely to happen (I’m not going to write a new C++ parser and I believe Clang still has the trend of becoming slower over time). Restructure code so that much fewer includes are needed. Lot of effort, unlikely to happen. Might also only have limited effect, because several standard library headers are very slow to parse. Use unity/jumbo builds (several .cpp files are compiled together). This reduces the number of times headers are parsed, but also reduces parallelism, increases memory usage, and increases the cost of incremental builds. (thanks, @makslevental ) Use C++20 modules. This would require substantial refactoring and is unlikely to be feasible for the near/medium future due to our toolchain requirements. (thanks, @h-vetinari ) Use Clang header modules ( cmake -DLLVM_ENABLE_MODULES=ON ). This substantially reduces build parallelism, is incompatible with libstdc++, and appears to be rather fragile with unclear/varying build time benefits. Rewrite LLVM in a language that compiles faster… haha, just kidding. Do nothing. 10 Likes LLVM Weekly - #627, January 5th 2026 [RFC] AI-assisted Bazel Fixer Bot makslevental January 1, 2026, 3:35am 2 aengelke: Alternatives Make Clang 3x faster. I see no fundamental reason why parsing C++ has to be this slow, but this is very unlikely to happen (I’m not going to write a new C++ parser and I believe Clang still has the trend of becoming slower over time). Restructure code so that much fewer includes are needed. Lot of effort, unlikely to happen. Might also only have limited effect, because several standard library headers are very slow to parse. Rewrite LLVM in a language that compiles faster… haha, just kidding. Do nothing There’s actually a 5th alternative with requires a refactoring of about the same scale: support UNITY_BUILD . I’ve actually taken a shot at it (using the help of clang plugin) but ran out of steam without getting to a workable state (so I don’t have numbers) but I feel the speed up should be roughly similar? Although with unity build you lose parallelism across TUs . Anyway I’m strongly +1 on anything the speeds up build time (specifically because it makes LLVM “more inclusive” for people who can’t afford hardware). 1 Like rengolin January 1, 2026, 12:42pm 3 aengelke: Make Clang 3x faster. I see no fundamental reason why parsing C++ has to be this slow, but this is very unlikely to happen (I’m not going to write a new C++ parser and I believe Clang still has the trend of becoming slower over time). The first line up there got me hoping you would! aengelke: Restructure code so that much fewer includes are needed. Lot of effort, unlikely to happen. Might also only have limited effect, because several standard library headers are very slow to parse. We may have gotten sloppy recently, but this has always been a core design property of LLVM, with the local headers and pervasive use of static / anonymous namespace functionality. Recent code-helpers (semantic or AI based) made this even less of an issue, as I do sometimes get reminders that a header is unused. To improve this side of LLVM we’d probably have to rewrite a lot of interfaces, which would be pervasive across the entire code base and likely downstream projects, so unlikely to be worth doing. makslevental: I’ve actually taken a shot at it (using the help of clang plugin) but ran out of steam without getting to a workable state (so I don’t have numbers) but I feel the speed up should be roughly similar? I wasn’t aware of this, but it does seem like more of a trade-off than a net-positive gain. IIUC, this ends up building fewer bigger files, which may be a problem for memory constrained platforms. And the lack of parallelism would be a hit for offline builders many big companies have (like Bazel remote builds). But it doesn’t hurt to have the option. It could even be an option for buildbots in Zorg, so that different hardware can build faster for their own configurations. makslevental: Anyway I’m strongly +1 on anything the speeds up build time (specifically because it makes LLVM “more inclusive” for people who can’t afford hardware). +100! h-vetinari January 1, 2026, 10:58pm 4 aengelke: C++ module builds don’t really help (for me), are fragile, and kill parallelism. What do you mean by “C++ module build”? To leverage the benefits of C++20 modules, a lot of refactoring would have to take place first (technically possible once LLVM requires C++20, but practically speaking not likely for a while yet due to the state of toolchains). @ChuanqiXu had a recent blog post on modules. Taking a very selective quote that’s relevant to this topic Some have argued that C++20 Modules are nothing more than standardized Precompiled Headers (PCH) or standardized Clang Header Modules. This is incorrect. PCH or Clang Header Modules reduce compile times by avoiding repetitive preprocessing and parsing across different TUs. C++20 Modules go a step further by also preventing repetitive optimization and compilation of the same declarations in the compiler backend. For many projects, backend optimization and code generation are the main sources of long compilation times. Even if rejected (or rejected for the foreseeable future), the Alternatives section should list moving to C++20 modules as an option. 1 Like aengelke January 2, 2026, 8:14am 5 makslevental: There’s actually a 5th alternative with requires a refactoring of about the same scale: support UNITY_BUILD . True, I forgot that. However, unity builds additionally have the disadvantage of slowing down incremental builds, which are the typical case during development. h-vetinari: What do you mean by “C++ module build”? I simply tried -DLLVM_ENABLE_MODULES=ON and I admit that I’m not 100% sure what it does right now. For many projects, backend optimization and code generation are the main sources of long compilation times According to my measurements above, this is not the case for large parts LLVM. I don’t know how Clang implements C++ modules, but inline functions still would need to be visible in the LLVM IR for optimizations, so would still need to be optimized? I’m going to add the two alternatives to the initial post, thanks for bringing them up. 1 Like ChuanqiXu January 5, 2026, 3:35am 6 Modules in clang have two meanings: one for clang header modules and one for C++20 modules. -DLLVM_ENABLE_MODULES=ON should enable for clang header modules. And I am curious why not use -DLLVM_ENABLE_MODULES=ON ? I feel clang header modules should be better than PCH. 2 Likes aengelke January 5, 2026, 7:04am 7 Thanks for the explanation. ChuanqiXu: And I am curious why not use -DLLVM_ENABLE_MODULES=ON ? I feel clang header modules should be better than PCH. It kills parallelism: on the 96-thread machine, rarely more than 20 clang++ processes were running at the same time and most of the time, only very few processes were running in parallel. On a my laptop, I compared build performance of header modules and PCH a few months ago: build times (wall time) were not noticeably faster than a regular non-PCH build, probably due to the reduced parallelism. I ran into problems with incremental builds more than once, where the incremental build failed with spurious errors that were gone when rebuilding from scratch (might’ve been fixed in the mean time, I’d need to check). At least on 2b903df7, on which I tried this again just now, building fails with errors like the following, which I don’t know how to fix. Maybe this is a libstdc++ problem, but that is very popular among Linux distributions. (Ubuntu 25.04 system, libstdc++ 15-20250404, Clang built from main ~mid-December) The reduced parallelism seems to be an inherent property, which is likely to reduce wall-time benefits on typical developer machines (and wall-time is much more important than CPU time). Apart from this, due to the issues listed above, it seems to me that the implementation is not yet mature enough for general use. While building module 'LLVM_Transforms' imported from /home/engelke/llvm-project/llvm/lib/Transforms/Utils/MemoryTaggingSupport.cpp:13: In file included from <module-includes>:91: In file included from /home/engelke/llvm-project/llvm/include/llvm/Transforms/Scalar.h:19: In file included from /usr/lib/gcc/x86_64-linux-gnu/15/../../../../include/c++/15/functional:50: /usr/lib/gcc/x86_64-linux-gnu/15/../../../../include/x86_64-linux-gnu/c++/15/bits/c++config.h:349:15: error: redefinition of '__terminate' 349 | inline void __terminate() _GLIBCXX_USE_NOEXCEPT | ^ /usr/lib/gcc/x86_64-linux-gnu/15/../../../../include/x86_64-linux-gnu/c++/15/bits/c++config.h:349:15: note: previous definition is here 349 | inline void __terminate() _GLIBCXX_USE_NOEXCEPT | ^ ChuanqiXu January 5, 2026, 7:14am 8 This is inconsistency with my impression. I thought clang header modules are better PCH generally. @Bigcheese @jansvoboda11 @zygoloid do you have any insights? 2 Likes philnik January 5, 2026, 9:43am 9 Clang Modules generally require all dependencies to be modular AFAIK, which libstdc++ isn’t. You might want to try compiling with libc++ instead, which has full support for clang modules. 1 Like aengelke January 5, 2026, 9:57am 10 Thanks. With libc++, there’s more progress, but different errors (and warnings like -Wc++17-extensions ). In any case, I aborted after ~7 minutes at the progress of 740/2814 – while a regular build completes within less than 2.5 minutes on that machine (see above). (Most of the time less than 10 clang++ processes were running in parallel.) (PS: at that point, the module.cache directory was already over 700 MiB, which does raise the question of the build directory size, which is also a concern (cf. discussion on whether to enable LINK_DYLIB by default).) While building module 'LLVM_Object' imported from /home/engelke/llvm-project/llvm/lib/Object/Minidump.cpp:9: In file included from <module-includes>:18: /home/engelke/llvm-project/llvm/include/llvm/Object/IRObjectFile.h:16:2: fatal error: module 'LLVM_IR' is defined in both '/home/engelke/llvm-build-tmp7/module.cache/2DH669HT2GLJZ/LLVM_IR-RU9PNU9ENOZZ.pcm' and '/home/engelke/llvm-build-tmp7/module.cache /2DH669HT2GLJZ/LLVM_IR-RU9PNU9ENOZZ.pcm' 16 | #include "llvm/Bitcode/BitcodeReader.h" | ^ /home/engelke/llvm-project/llvm/lib/Object/Minidump.cpp:9:10: fatal error: could not build module 'LLVM_Object' 9 | #include "llvm/Object/Minidump.h" | ~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~~~ 2 errors generated. /home/engelke/llvm-project/llvm/lib/Object/DXContainer.cpp:9:2: fatal error: module 'LLVM_BinaryFormat' is defined in both '/home/engelke/llvm-build-tmp7/module.cache/2DH669HT2GLJZ/LLVM_BinaryFormat-RU9PNU9ENOZZ.pcm' and '/home/engelke/llvm-build-tmp7/module.cache/2DH669HT2GLJZ/LLVM_BinaryFormat-RU9PNU9ENOZZ.pcm' 9 | #include "llvm/Object/DXContainer.h" | ^ PLEASE submit a bug report to https://github.com/llvm/llvm-project/issues/ and include the crash backtrace, preprocessed source, and associated run script. Stack dump: 0. Program arguments: /home/engelke/llvm-build/bin/clang++ -DGTEST_HAS_RTTI=0 -DLLVM_EXPORTS -D_DEBUG -D_GLIBCXX_ASSERTIONS -D_GNU_SOURCE -D__STDC_CONSTANT_MACROS -D__STDC_FORMAT_MACROS -D__STDC_LIMIT_MACROS -I/home/engelke/llvm-build-tmp7/lib/Obje ct -I/home/engelke/llvm-project/llvm/lib/Object -I/home/engelke/llvm-build-tmp7/include -I/home/engelke/llvm-project/llvm/include -stdlib=libc++ -fPIC -fno-semantic-interposition -fvisibility-inlines-hidden -Werror=date-time -Werror=unguarded-availabili ty-new -fmodules -fmodules-cache-path=/home/engelke/llvm-build-tmp7/module.cache -Xclang -fmodules-local-submodule-visibility -Wall -Wextra -Wno-unused-parameter -Wwrite-strings -Wcast-qual -Wmissing-field-initializers -pedantic -Wno-long-long -Wc++98-c ompat-extra-semi -Wimplicit-fallthrough -Wcovered-switch-default -Wno-noexcept-type -Wnon-virtual-dtor -Wdelete-non-virtual-dtor -Wsuggest-override -Wstring-conversion -Wno-pass-failed -Wmisleading-indentation -Wctad-maybe-unsupported -fdiagnostics-colo r -ffunction-sections -fdata-sections -O1 -std=c++17 -UNDEBUG -fno-exceptions -funwind-tables -fno-rtti -MD -MT lib/Object/CMakeFiles/LLVMObject.dir/DXContainer.cpp.o -MF lib/Object/CMakeFiles/LLVMObject.dir/DXContainer.cpp.o.d -o lib/Object/CMakeFiles/ LLVMObject.dir/DXContainer.cpp.o -c /home/engelke/llvm-project/llvm/lib/Object/DXContainer.cpp 1. /home/engelke/llvm-project/llvm/lib/Object/DXContainer.cpp:9:2: current parser token 'include' #0 0x000072a4ac842c5b llvm::sys::PrintStackTrace(llvm::raw_ostream&, int) (/home/engelke/llvm-build/bin/../lib/libLLVM.so.22.0git+0x842c5b) #1 0x000072a4ac8406ab llvm::sys::RunSignalHandlers() (/home/engelke/llvm-build/bin/../lib/libLLVM.so.22.0git+0x8406ab) #2 0x000072a4ac778af6 CrashRecoverySignalHandler(int) CrashRecoveryContext.cpp:0:0 #3 0x000072a4ab8458d0 (/lib/x86_64-linux-gnu/libc.so.6+0x458d0) #4 0x000072a4b15acb2a clang::Redeclarable<clang::TagDecl>::DeclLink::getPrevious(clang::TagDecl const*) const (/home/engelke/llvm-build/bin/../lib/libclang-cpp.so.22.0git+0xbacb2a) #5 0x000072a4b17cae62 clang::CXXRecordDecl::addedMember(clang::Decl*) (/home/engelke/llvm-build/bin/../lib/libclang-cpp.so.22.0git+0xdcae62) #6 0x000072a4b2f9abdc clang::ASTReader::finishPendingActions() (/home/engelke/llvm-build/bin/../lib/libclang-cpp.so.22.0git+0x259abdc) #7 0x000072a4b2f9d1ca clang::ASTReader::FinishedDeserializing() (/home/engelke/llvm-build/bin/../lib/libclang-cpp.so.22.0git+0x259d1ca) zygoloid January 5, 2026, 9:19pm 11 How many different module configurations are you seeing in your module cache? (Easy check: how many different PCM files for the LLVM support module? You can then investigate why they’re considered to be different using llvm-bcanalyzer -dump and looking at the header block, IIRC.) I remember there being problems in the past where bad cmake rules led to there being a lot of different sets of -D flags being unnecessarily passed to different builds. I’ve seen the lack of parallelization stem from three things: one is pinch points in the build graph when building binaries that generate source code (like tablegen), another is the build system being really bad at scheduling in the presence of such pinch points (which cmake generator are you using?), and a third is lots of compiles blocking on the same module files (which would tend to suggest we’re spending too much time building module files, probably due to there being too many configurations). I would recommend profiling the build using -ftime-trace ( 3.6. Performance Investigation — Clang 22.0.0git documentation ) and looking at the resulting graph to see where you’re losing build performance. 1 Like zygoloid January 5, 2026, 9:20pm 12 I should add: at one point, -DLLVM_ENABLE_MODULES=ON did work and gave a substantial speedup to the build (around the same you’re seeing with PCH), so it seems like something has regressed here. 2 Likes aengelke January 5, 2026, 10:13pm 13 zygoloid: Easy check: how many different PCM files for the LLVM support module? You can then investigate why they’re considered to be different using llvm-bcanalyzer -dump and looking at the header block, IIRC. I looked at this for a while and have zero clue on how to interpret the output. So all I can say is that there are 5 files names LLVM_Support_DataTypes_Src-RU9PNU9ENOZZ.pcm . I don’t think that -D flags are the problem, because they are not a problem with the PCH build? zygoloid: which cmake generator are you using? Ninja zygoloid: third is lots of compiles blocking on the same module files (which would tend to suggest we’re spending too much time building module files, probably due to there being too many configurations). I believe this is the reason – the other two possible causes would also appear in other build configurations. -ftime-trace doesn’t help with build system dependency problems. Tachyon January 6, 2026, 1:07am 14 One big problem that I know with PCHs is that they’re not supported by caching tools like ccache, sccache, fastbuild. I don’t remember why this doesn’t work (something about includes in PCH?), but I always tend to choose a cacheable build rather than a somewhat faster build. Edit: Just noticed the first post said ccache supports PCH, which I don’t agree with. Further, it can’t detect changes in #defines in the source code because of how preprocessing works in combination with precompiled headers. Not detecting changes doesn’t really sounds like it’s supported to me. zygoloid January 6, 2026, 1:14am 15 Hm. 5 configurations doesn’t sound like a huge number. Looking at your previous message, I’m more worried by the errors/crashes you saw. I wonder if we are somehow loading the same PCM file more than once. I’ve given this a go myself using Clang 19 from Ubuntu, and I’m seeing different issues (though probably related): watching the module cache, I see lots of lock files for the same module getting created, then the module build completes, and then there’s a delay of many seconds (up to several minutes) before the lock files go away again. My build fails with errors like /home/richardsmith/llvm-project/llvm/lib/DebugInfo/PDB/Native/NativeEnumTypes.cpp:9:2: fatal error: module file ‘/home/richardsmith/llvm-project/build-modules/module.cache/1K9BRQPF018UY/LLVM_DebugInfo_PDB-3DV09TEAYTM16.pcm’ is out of date and needs to be rebuilt which I think likely indicates that we’re building the same PCM files multiple files and overwriting them during a build. Definitely looks like something in our implicit module building / caching system is broken (at least with Clang 19 – I’ve not yet tried building with Clang trunk). 1 Like rnk January 6, 2026, 5:07am 16 The big downside of PCH and unity/jumbo builds (I will use “jumbo” terminology to avoid ambiguity with the popular game framework) is that code that builds with PCH/jumbo will often not build when compiled with traditional textual headers, and code that builds with textual includes can often break the PCH/jumbo build. The maintenance cost is significant , in my view. Neither of these configurations will remain viable without post-submit CI, and they will impose maintenance cost for those who don’t use them. Clang header modules, on the other hand, should be more transparent, and while they have maintenance cost, the whole point is that the semantics are supposed to be as close to headers as feasibly possible. I hate to make the perfect the enemy of the good, but it would be highly beneficial to the Clang project if we could eat our own dogfood and successfully deploy Clang header modules. It might be significantly more work than deploying PCH today, but it would be kind of a big deal. There’s been so much teeth gnashing about C++20 modules, it would be nice if we could demonstrate that the tech works. IIRC LLVM_ENABLE_MODULES still relied on implicit modules and lockfiles, not the new upfront clang-scan-deps approach, so maybe there’s something that can be done here. As an impractical aside, back when Chromium dropped jumbo build support , I tried to pitch a project I called “semantics-preserving jumbo”, but nobody was excited to work on it and it kind of fizzled. The idea here was to use the same tech that Clang uses to control visibility of header submodules to “disable” visibility of all previously included headers until they were reincluded in the next intra-jumbo-CU-shard. So, the compiler processes file1.cpp, includes everything, hides all Decls, processes file2.cpp, and every #include just reactivates the relevant submodules. Internal linkage entities would also not be visible to lookup between cpp files, so you don’t have to give anonymous/static entities globally unique names. 6 Likes aengelke January 6, 2026, 10:10am 17 Tachyon: Edit: Just noticed the first post said ccache supports PCH, which I don’t agree with. Further, it can’t detect changes in #defines in the source code because of how preprocessing works in combination with precompiled headers. Not detecting changes doesn’t really sounds like it’s supported to me. I looked and tried to come up with a minimal example demonstrating the problem, but wasn’t successful so far – do you have an example where this causes false positives? In any case, we could disable PCH by default if ccache is enabled (similar to what was proposed in #141927 , which was abandoned). Flang does use PCH by default with ccache right now ( #136856 ) and apart from #142449 (which wasn’t investigated but was gone with the new pre-merge CI) I’m not aware of issues this caused on non-Windows platforms. If we consider this to be a relevant concern, we should probably disable Flang PCH as well. rnk: The maintenance cost is significant , in my view. Neither of these configurations will remain viable without post-submit CI, and they will impose maintenance cost for those who don’t use them. No doubt there is a cost and we’d definitely need post-commit CI for both build types, but the significance is, IMO, debatable. Missing headers (PCH succeeds, regular build fails) would be caught in pre-commit CI; so the other direction of naming collisions/ambiguities is more problematic. For the PCH set I used, in the entire LLVM/Clang/MLIR/Flang/LLD code base, there were only 5 problems in total. I’d also argue that our headers should be structured in a way that adding some includes doesn’t cause unrelated failures. I therefore see testing with more includes as beneficial for the project, which can be worth the cost. (Waiting for slow builds is also a significant cost.) zygoloid: at least with Clang 19 – I’ve not yet tried building with Clang trunk FWIW, I just tried building LLVM 18 with Clang 18 as well as LLVM main with Clang 18, and encountered some similar problems. Actually, I’d be interested in a configuration where header modules do work on a GNU/Linux system so that I at least can get rough performance numbers. rnk: it would be highly beneficial to the Clang project if we could eat our own dogfood and successfully deploy Clang header modules. I agree in principle. But: this option exists since over 10 years and apparently has been broken on Linux systems in some ways for many months, maybe even years. It seems that almost nobody uses this option to build LLVM and also nobody seems to really care about it. Admittedly, I’d personally be also very hesitant to rely on an effectively unmaintained feature for productive work. I’d expect getting this into a working state to be a non-trivial effort. Even if all issues were fixed in e.g. Clang 23, it’d take some time for the release to trickle down to distros, so it would take at least one year before any possible benefits see wider adoption. And then there’s also the consideration of “developer education” about header modules. I – and I assume many others – have not a sufficient conceptual understanding of how header modules work and would probably be unable to properly fix build problems. There’s apparently a (rarely updated) modulemap file that specifies modules, so to add/move a header I need to learn a new DSL from this rather lengthy documentation ? I would question that the maintenance costs of this is lower than of the costs of pre-compiled headers, for which at least the conceptual model is quite simple. I’d personally favor PCH as a reasonably working solution that provides benefits right now also with not-the-latest and not-Clang toolchains. Should modules in whichever form be ready for wider adoption and prove to be sufficiently good alternative (at which point the ccache question will likely come up again), we can just remove PCH again. 1 Like zygoloid January 6, 2026, 8:51pm 18 I’ve done a bit more investigating. It looks to me like the in-memory module cache is responsible for the problem. What seems to be happening is: We try to load a module, and find one of its transitively imported modules is out of date. In the in-memory module cache, all the involved modules on the path to that transitively imported module are marked as ToBuild . This forces them to be treated as “out of date”, even if they get rebuilt by some other clang process and brought back up to date in the mean time . We start building one of the transitively imported modules. In the mean time, some other clang process builds another of those transitively imported modules, call it M. We then find we need M, and the in-memory module cache (incorrectly) says it’s ToBuild , so we rebuild it too, changing its mtime and causing all dependent modules to be out of date. This then forces more rebuilds due to those dependent modules being out of date. In order for this to start going wrong, all we need is for any module that is widely imported to be considered to be out of date. And that happens due to tablegen and similar things running. So… I applied this diff: --- a/clang/lib/Serialization/InMemoryModuleCache.cpp +++ b/clang/lib/Serialization/InMemoryModuleCache.cpp @@ -66,7 +66,8 @@ bool InMemoryModuleCache::tryToDropPCM(llvm::StringRef Filename) { if (PCM.IsFinal) return true; - PCM.Buffer.reset(); + PCMs.erase(Filename); + //PCM.Buffer.reset(); return false; } and now I get the following: Modules, clean build, warm cache: ninja clang 11736.42s user 1138.74s system 4997% cpu 4:17.65 total No modules: ninja clang 31212.51s user 1858.46s system 10594% cpu 5:12.15 total That’s still not great in terms of wall time and parallelization, but it’s a 2.66x reduction in total CPU usage. And the modules build is wall-time faster than the non-modules build now, and doesn’t seem to be doing huge amounts of spurious module rebuilds any more. (The “clean build, warm cache” here means I did a “ninja -t clean” but did not delete the module cache. So this is not rebuilding the 3311 standard library PCM files used in this build (!) but will be rebuilding any module that depends on any generated file, which in LLVM is nearly all of them. This should roughly correspond to the rebuild time after something like git merge main .) If someone wants to take the above diff and turn it into a PR (there’s a lot more stuff in the in-memory module cache that can be cleaned up as part of removing the ToBuild state; that diff is definitely not fit to land as-is), please be my guest; I don’t plan to. But I agree with @rnk that we should investigate using clang-scan-deps instead of implicit modules here, as it’s probably not realistic to substantially improve the parallelization with the current approach. (Maybe we could look for a sequence of #include s that would all be translated to module imports, and if we see that the first one is being built by another Clang process, try building the second one instead of just sleeping?) It might also be interesting to investigate whether we can reduce the 5 module variants produced by ninja clang down to just one, and whether there’s a worthwhile performance improvement from reducing the thousands of standard library PCM files to a smaller number. 6 Likes aengelke January 6, 2026, 9:39pm 19 Thanks for looking into this. While your patch seems to reduce the number of errors, unfortunately I’m still unable to get a working build with -j96 . The build keeps crawling and failing (with different kinds of module-related errors and some crashes) along with mostly just one process doing something; after 10 minutes I stopped it at 1102/2814. With -j16 , I did get a working build. Looks like there are still/other race conditions? Build times of LLVM on the same machine with the same config as above with -j16 (note that CPU times are much lower than above as there’s no hyper-threading involved here): Regular: 355s (5586 CPU secs) PCH (PR linked above): 176s (2712 CPU secs) Modules cold: 244s (2516 CPU secs) Modules warm: crashes ( module 'LLVM_IR' is defined in both ) The CPU time improvement of modules over 3 pre-compiled headers is less than 10%; the wall time is much higher due to reduced parallelism; and the modules build seems to be much less reliable. 1 Like rnk January 6, 2026, 11:12pm 20 I discussed the possibility of fixing up the implicit modules build in the Modules working group call this morning, but I wasn’t able to find a path or any volunteers interested in helping with that effort. I decided to run some local experiments, and I found them very disappointing. I ended up with 15 directories in build/modules.cache, so core modules like LLVM_IR and LLVM_Support_DataTypes_Src get rebuilt 6-10 times throughout the build, causing random bottlenecks and low CPU utilization. With 16 cores, my implicit module build took 22min vs 558s for the equivalent non-modular build. It feels like something should be possible here, but it’s going to be a long haul, so I withdraw my suggestion. 1 Like next page → Related topics Topic Replies Views Activity PCH: separation from source header Clang Frontend 12 125 September 23, 2010 RFC [CMake]: Adding an option to enable precompiled headers for llvm-libraries LLVM Project 5 458 June 28, 2024 Precompiled headers with libclang Clang Frontend 17 172 April 8, 2012 Designing a clang incremental compiler server Clang Frontend 4 178 June 18, 2010 Controlling instantiation of templates from PCH Clang Frontend 24 334 July 6, 2019 Home Categories Guidelines Terms of Service Privacy Policy Powered by Discourse , best viewed with JavaScript enabled | 2026-01-13T08:47:52 |
https://forem.com/siy | Sergiy Yevtushenko - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Sergiy Yevtushenko Writing code for 35+ years and still enjoy it... Location Krakow, Poland Joined Joined on Mar 14, 2019 github website Work Senior Software Engineer 2025 Hacktoberfest Writing Challenge Completion Awarded for completing at least one prompt in the 2025 Hacktoberfest Writing Challenge. Thank you for sharing your open source story! 🎃✍️ 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 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 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 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 Trusted Member 2022 Awarded for being a trusted member in 2022. 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 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 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 Java Awarded to the top Java author each week 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 Beloved Comment Awarded for making a well-loved comment, as voted on with 25 heart (❤️) reactions by the community. 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 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 Show all 16 badges More info about @siy GitHub Repositories pragmatica-lite Simple micro web framework written in Pragmatic Functional Java style Java • 13 stars pragmatica Pragmatic Functional Java Essentials Java • 100 stars Skills/Languages - Java - Rust - C/C++ - Go - Distributed systems - Architecture design Currently learning Functional Programming Currently hacking on Pragmatica Lite https://github.com/siy/pragmatica https://github.com/siy/pragmatica-rest-example Available for Those who need consultations on architecture and/or skilled software engineer Post 54 posts published Comment 536 comments written Tag 16 tags followed Pin Pinned Asynchronous Processing in Java with Promises Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Apr 12 '25 Asynchronous Processing in Java with Promises # java # promise 1 reaction Comments Add Comment 10 min read We should write Java code differently Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 24 '21 We should write Java code differently # java # beginners 166 reactions Comments 10 comments 6 min read Introduction to Pragmatic Functional Java Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 5 '21 Introduction to Pragmatic Functional Java # java # coding # style # beginners 58 reactions Comments 9 comments 15 min read The Underlying Process of Request Processing Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jan 12 The Underlying Process of Request Processing # java # functional # architecture # backend Comments Add Comment 4 min read Want to connect with Sergiy Yevtushenko? Create an account to connect with Sergiy Yevtushenko. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in From Subjective Opinions to Systematic Analysis: Pattern-Based Code Review Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Dec 21 '25 From Subjective Opinions to Systematic Analysis: Pattern-Based Code Review # codereview # java # patterns # bestpractices Comments Add Comment 8 min read Java Should Stop Trying To Be Like Everybody Else Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Dec 18 '25 Java Should Stop Trying To Be Like Everybody Else # java # kubernetes # runtime # deployment Comments 6 comments 5 min read Pragmatica Lite Hacktoberfest: Maintainer Spotlight Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 8 '25 Pragmatica Lite # devchallenge # hacktoberfest # opensource Comments Add Comment 1 min read Vibe Ensemble MCP Server Hacktoberfest: Maintainer Spotlight Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 8 '25 Vibe Ensemble MCP Server # devchallenge # hacktoberfest # opensource Comments Add Comment 1 min read Java Backend Coding Technology: Writing Code in the Era of AI #Version 1.1 Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 6 '25 Java Backend Coding Technology: Writing Code in the Era of AI #Version 1.1 # ai # java # codingtechnology 3 reactions Comments Add Comment 44 min read The Engineering Scalability Crisis: Why Standard Code Structures Matter More Than Ever Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 5 '25 The Engineering Scalability Crisis: Why Standard Code Structures Matter More Than Ever # ai # java # management Comments Add Comment 14 min read Java Backend Coding Technology: Writing Code in the Era of AI Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 3 '25 Java Backend Coding Technology: Writing Code in the Era of AI # ai # java # backend 2 reactions Comments Add Comment 38 min read Vibe Ensemble - Your Personal Development Team Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Sep 27 '25 Vibe Ensemble - Your Personal Development Team # ai # mcp 2 reactions Comments Add Comment 6 min read Unleashing Power of Java Interfaces Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Feb 6 '24 Unleashing Power of Java Interfaces # java # beginners 1 reaction Comments Add Comment 6 min read The Saga is Antipattern Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jun 20 '23 The Saga is Antipattern # microservices # saga 21 reactions Comments 17 comments 5 min read Function's Anatomy And Beyond Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow May 30 '23 Function's Anatomy And Beyond # code # beginners 1 reaction Comments Add Comment 7 min read The Context: Introduction Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jan 11 '23 The Context: Introduction # software # beginners # context 3 reactions Comments Add Comment 7 min read The state of the Pragmatica (Feb 2022) Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Feb 23 '22 The state of the Pragmatica (Feb 2022) # java # asynchronous # core 4 reactions Comments Add Comment 2 min read Pragmatic Functional Java: Performance Implications Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Nov 30 '21 Pragmatic Functional Java: Performance Implications # java # beginners 5 reactions Comments Add Comment 4 min read Leveraging Java Type System to Represent Special States Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Sep 3 '21 Leveraging Java Type System to Represent Special States # java # beginners 15 reactions Comments 3 comments 4 min read Sober Look at Microservices Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Sep 2 '21 Sober Look at Microservices # beginners # architecture # microservices 15 reactions Comments 3 comments 8 min read Lies, Damned lies, and Microservice "Advantages" Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jul 29 '21 Lies, Damned lies, and Microservice "Advantages" # microservices # beginners 15 reactions Comments Add Comment 4 min read Microservices Are Dragging Us Back Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jul 21 '21 Microservices Are Dragging Us Back # architecture # microservices # cluster 3 reactions Comments 3 comments 2 min read How Interfaces May Eliminate Need For Pattern Matching (sometimes) Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jun 7 '21 How Interfaces May Eliminate Need For Pattern Matching (sometimes) # java # beginners 6 reactions Comments 2 comments 3 min read Hidden Anatomy of Backend Applications Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Dec 11 '20 Hidden Anatomy of Backend Applications # backend # architecture # tutorial # beginners 4 reactions Comments Add Comment 4 min read Reactive Toolbox: Why and How Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Aug 16 '20 Reactive Toolbox: Why and How # java # beginners # programming 6 reactions Comments 3 comments 5 min read Fast Executor For Small Tasks Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jul 16 '20 Fast Executor For Small Tasks # java # beginners # concurrent 7 reactions Comments Add Comment 4 min read Beautiful World of Monads Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jul 14 '20 Beautiful World of Monads # java # beginners # tutorial 45 reactions Comments 6 comments 7 min read Simple Implementation of Fluent Builder - Safe Alternative To Traditional Builder Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jun 20 '20 Simple Implementation of Fluent Builder - Safe Alternative To Traditional Builder # beginners # java # tutorial # pattern 12 reactions Comments 6 comments 4 min read The Backend Revolution or Why io_uring Is So Important. Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jun 3 '20 The Backend Revolution or Why io_uring Is So Important. # backend # architecture # tutorial # beginners 6 reactions Comments Add Comment 6 min read Data Dependency Analysis in Backend Applications Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jun 2 '20 Data Dependency Analysis in Backend Applications # architecture # beginners 5 reactions Comments Add Comment 6 min read Don't Do Microservices If You Can Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow May 6 '20 Don't Do Microservices If You Can # microservices # beginners # tutorial # devops 14 reactions Comments Add Comment 3 min read Functional Core with Ports and Adapters Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Mar 29 '20 Functional Core with Ports and Adapters # discuss # architecture 11 reactions Comments 7 comments 1 min read Data Dependency Graph Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Feb 21 '20 Data Dependency Graph # data # dependency # graph # ddg 8 reactions Comments Add Comment 4 min read Popularity != Quality Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Feb 18 '20 Popularity != Quality # watercooler 8 reactions Comments Add Comment 2 min read Why Agile Methods are way to go (most of the time) Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jan 10 '20 Why Agile Methods are way to go (most of the time) # agile # beginners 9 reactions Comments Add Comment 1 min read Why software development is so conservative? Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Jan 9 '20 Why software development is so conservative? # watercooler 19 reactions Comments 13 comments 2 min read Why use functional style in Java? Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Dec 11 '19 Why use functional style in Java? # java # lang # beginners 6 reactions Comments 2 comments 1 min read Playing with Monad or How to enjoy functional style in Java Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Dec 9 '19 Playing with Monad or How to enjoy functional style in Java # java # lang # beginners # tutorial 5 reactions Comments Add Comment 3 min read Considerations and overview of web backend architectures Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Nov 13 '19 Considerations and overview of web backend architectures # architecture # backend # beginners 16 reactions Comments Add Comment 4 min read Packaging is not an architecture or few words about Monolith Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Nov 13 '19 Packaging is not an architecture or few words about Monolith # architecture # beginners 14 reactions Comments 7 comments 1 min read Creating DSL-like API's in Java (and fixing Builder pattern) Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Nov 5 '19 Creating DSL-like API's in Java (and fixing Builder pattern) # java # lang 16 reactions Comments 5 comments 2 min read Interface-only programming in Java Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Nov 5 '19 Interface-only programming in Java # java # lang # beginners # tutorial 10 reactions Comments Add Comment 3 min read When Builder is anti-pattern Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Nov 5 '19 When Builder is anti-pattern # java # lang # beginners 50 reactions Comments 25 comments 2 min read Couple words about static factory methods naming. Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Nov 4 '19 Couple words about static factory methods naming. # java # lang 8 reactions Comments 2 comments 1 min read Proper API for Java List Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 28 '19 Proper API for Java List # discuss # java # lang 7 reactions Comments 6 comments 3 min read Asynchronous Processing in Java with Promises Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 24 '19 Asynchronous Processing in Java with Promises # java # lang # tutorial 8 reactions Comments Add Comment 4 min read The power of Tuples Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 23 '19 The power of Tuples # java # lang # beginners # tutorial 8 reactions Comments 1 comment 2 min read Monads for Java programmers in simple terms Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 20 '19 Monads for Java programmers in simple terms # java # beginners # tutorial 10 reactions Comments Add Comment 1 min read Consistent error propagation and handling in Java Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 20 '19 Consistent error propagation and handling in Java # java # lang # tutorial # beginners 11 reactions Comments Add Comment 4 min read Consistent null values handling in Java Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Oct 12 '19 Consistent null values handling in Java # java # lang # tutorial # beginners 9 reactions Comments 4 comments 3 min read Asynchronous Processing Models in Services Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Sep 30 '19 Asynchronous Processing Models in Services # reactive # functional # java # beginners 8 reactions Comments Add Comment 3 min read Yet another dependency injection library Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Sep 28 '19 Yet another dependency injection library # dependency # injection # java # productivity 4 reactions Comments 2 comments 3 min read Nanoservices, or alternative to monoliths and microservices... Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Sep 20 '19 Nanoservices, or alternative to monoliths and microservices... # discuss # architecture # nanoservices 19 reactions Comments 7 comments 6 min read The buzzwords religion Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Sep 19 '19 The buzzwords religion # software # engineering # java # kotlin 6 reactions Comments Add Comment 3 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — Your community HQ Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:47:52 |
https://dev.to/devdiscuss/s8-e1-the-many-benefits-of-learning-in-public | S8:E1 - The Many Benefits of Learning in Public - 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 DevDiscuss Follow S8:E1 - The Many Benefits of Learning in Public Feb 9 '22 play Since CodeNewbie is doing a learn in public challenge this month, in this episode we talk all about learning in public with Gift Egwuenu, Frontend Developer, and past CodeLand speaker on the topic of learning in public, and Shawn Wang aka Swyx, head of developer experience at Temporal Technologies. Show Notes DevNews (sponsor) Duckly (sponsor) CodeNewbie (sponsor) Compiler (DevDiscuss) (sponsor) Scout APM (DevDiscuss) (sponsor) CodeNewbie Challenge: Learn in Public [Keynote] One Rule to Rule Them All: Learning in Public Shawn Wang (Swyx): Learn In Public Why I switched from Atom to Visual Studio Code Gift Egwuenu Gift Egwuenu is a Developer and Content Creator based in the Netherlands, She has worked in tech for over 4 years with experience in web development and building tools for help. Her work and focus are on helping people navigate the tech industry by sharing her work and experience in web development, career advice, and developer lifestyle videos. Shawn Wang (Swyx) Shawn Wang is a writer, Speaker, and a developer advocate. He helps developers with devtools cross the chasm (React + TypeScript, Svelte, Netlify, now Temporal), as well as helps them to learn in public. 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:52 |
https://www.reddit.com/r/TechSupport/ | Reddit - Prove your humanity Prove your humanity We’re committed to safety and security. But not for bots. Complete the challenge below and let us know you’re a real person. Reddit, Inc. © "2026". All rights reserved. User Agreement Privacy Policy Content Policy Help | 2026-01-13T08:47:52 |
https://dev.to/t/vscode | VS Code - 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 VS Code Follow Hide Official tag for Visual Studio Code, Microsoft's open-source editor Create Post about #vscode We welcome anyone with any kind of vscode passion. Some new hot feature or extension, we would love to read it. Older #vscode posts 1 2 3 4 5 6 7 8 9 … 75 … 183 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Why Global Undo Sucks: Building Line-Level Undo/Redo for VS Code Namasivaayam L Namasivaayam L Namasivaayam L Follow Jan 12 Why Global Undo Sucks: Building Line-Level Undo/Redo for VS Code # vscode # opensource # extensions # programming 7 reactions Comments Add Comment 4 min read Making VS Code "Read My Mind": Building Smart Context Awareness freerave freerave freerave Follow Jan 10 Making VS Code "Read My Mind": Building Smart Context Awareness # showdev # vscode # productivity # freerave Comments Add Comment 2 min read Exploring Modern Python Type Checkers Nicolas Galler Nicolas Galler Nicolas Galler Follow Jan 12 Exploring Modern Python Type Checkers # python # tooling # vscode Comments Add Comment 2 min read I got tired of memorizing swaggo comment order, so I made this WonJeong Kim WonJeong Kim WonJeong Kim Follow Jan 9 I got tired of memorizing swaggo comment order, so I made this # showdev # go # vscode # swagger Comments Add Comment 3 min read Writing a Novel the Developer Way Burve (Burve Story Lab) Burve (Burve Story Lab) Burve (Burve Story Lab) Follow Jan 12 Writing a Novel the Developer Way # writing # git # vscode # markdown Comments Add Comment 7 min read [TIL] Markdown Paste: A VSCode Powerhouse for Pasting Images Evan Lin Evan Lin Evan Lin Follow Jan 11 [TIL] Markdown Paste: A VSCode Powerhouse for Pasting Images # productivity # tooling # vscode Comments Add Comment 2 min read VS Code Plugin for Colab Released by Google Evan Lin Evan Lin Evan Lin Follow Jan 11 VS Code Plugin for Colab Released by Google # news # google # machinelearning # vscode Comments Add Comment 3 min read “While Others Wait for VS Code to Load, I’m Already Coding in Ecode.” Lokajna Lokajna Lokajna Follow Jan 10 “While Others Wait for VS Code to Load, I’m Already Coding in Ecode.” # coding # vscode # opensource # privacy Comments Add Comment 3 min read Setup C programming language for Windows users Raphaël T Raphaël T Raphaël T Follow Jan 9 Setup C programming language for Windows users # programming # c # cpp # vscode Comments Add Comment 1 min read How do you build serious features using only VS Code’s public APIs? GetPochi GetPochi GetPochi Follow Jan 9 How do you build serious features using only VS Code’s public APIs? # vscode # programming # llm # ai Comments Add Comment 5 min read Stop Context Switching: How I Built a Tool to Generate Elite AI Prompts Inside VS Code Seçkin Seçkin Seçkin Follow Jan 9 Stop Context Switching: How I Built a Tool to Generate Elite AI Prompts Inside VS Code # vscode # ai # productivity # promptengineering Comments Add Comment 2 min read December 2025 VS Code Update (Version 1.108) – What’s New and Why It Matters Muhammad Hamid Raza Muhammad Hamid Raza Muhammad Hamid Raza Follow Jan 9 December 2025 VS Code Update (Version 1.108) – What’s New and Why It Matters # news # vscode # tutorial # productivity Comments Add Comment 2 min read I built an AI that detects your mood while coding (Locally in VS Code) 🧠✨ freerave freerave freerave Follow Jan 8 I built an AI that detects your mood while coding (Locally in VS Code) 🧠✨ # vscode # productivity # opensource # javascript Comments Add Comment 1 min read How GitHub Pull Requests in VS Code Improved My Open-Source Workflow Chimaobi Prince Chimaobi Prince Chimaobi Prince Follow Jan 8 How GitHub Pull Requests in VS Code Improved My Open-Source Workflow # devops # github # vscode # cloud Comments Add Comment 4 min read How do you build serious features using only VS Code’s public APIs? GetPochi GetPochi GetPochi Follow Jan 8 How do you build serious features using only VS Code’s public APIs? # vscode # programming # llm # ai Comments Add Comment 5 min read VScode 的自動執行機制--Tasks codemee codemee codemee Follow Jan 12 VScode 的自動執行機制--Tasks # vscode 1 reaction Comments Add Comment 1 min read VSCode custom code snippets in Inbox Zero codebase. Ramu Narasinga Ramu Narasinga Ramu Narasinga Follow Jan 7 VSCode custom code snippets in Inbox Zero codebase. # opensource # vscode # codesnippet # typescript Comments Add Comment 4 min read Unlock Unlimited AI for n8n with VS Code (No Quotas, No Cloud Required) Etienne Lescot Etienne Lescot Etienne Lescot Follow Jan 7 Unlock Unlimited AI for n8n with VS Code (No Quotas, No Cloud Required) # n8n # vscode # ai # agentaichallenge Comments 1 comment 2 min read Enhancing Todo Tree in VS Code Janko Janko Janko Follow Jan 4 Enhancing Todo Tree in VS Code # vscode # todotree # productivity Comments Add Comment 2 min read Introduction to Prompt-Driven Development Cynthia Zanoni Cynthia Zanoni Cynthia Zanoni Follow for Microsoft Azure Jan 5 Introduction to Prompt-Driven Development # vscode # githubcopilot Comments Add Comment 3 min read Creating a Reliable VS Code Task for New DEV.to Posts (Windows + PowerShell) Janko Janko Janko Follow Jan 3 Creating a Reliable VS Code Task for New DEV.to Posts (Windows + PowerShell) # vscode # productivity # shortcut # devto Comments Add Comment 2 min read I built a "VSCode-Exclusive" BBS for Software Engineers using PocketBase ysknsn ysknsn ysknsn Follow Jan 3 I built a "VSCode-Exclusive" BBS for Software Engineers using PocketBase # pocketbase # vscode Comments Add Comment 2 min read You Learn Something Every Day While Coding, Then You Forget It Timothy Adeleke Timothy Adeleke Timothy Adeleke Follow Jan 2 You Learn Something Every Day While Coding, Then You Forget It # programming # vscode 4 reactions Comments Add Comment 2 min read Using the VSCode Claude Code Extension with Bedrock and Claude Sonnet 4.5 Matt Bacchi Matt Bacchi Matt Bacchi Follow for AWS Community Builders Jan 2 Using the VSCode Claude Code Extension with Bedrock and Claude Sonnet 4.5 # aws # claudecode # vscode # bedrock 2 reactions Comments Add Comment 5 min read CodeGraph: Building Code Intelligence for the AI Era AlgoritmikX AlgoritmikX AlgoritmikX Follow Jan 2 CodeGraph: Building Code Intelligence for the AI Era # vibecoding # vscode # githubcopilot # ai Comments Add Comment 3 min read loading... trending guides/resources Raptor Mini: GitHub Copilot’s New Code-First AI Model That Developers Shouldn’t Ignore Best AI Models for Agentic Vibe Coding in VS Code (January 2026) 10 VS Code Extensions You Must Install So… what is GitHub Copilot’s "Raptor mini"and why should devs care? Extensões para VSCode Google Antigravity AI Coding: Building My Portfolio Site from Scratch How to connect a local AI model(with Ollama) to VS Code. How I created a Cozy Workspace in VS Code Tune GitHub Copilot Settings in VS Code Reliable AI workflow with GitHub Copilot: complete guide with examples Agent Skill in VS Code Code Map: Visualize Code Dependencies with LLM n8n Self-Hosted vs n8n Cloud: Which One Should You Choose in 2026? How to Use AI Models Locally in VS Code with the Continue Plugin (with Multi-Model Switching Supp... Vibe Coding: Build A Complete App From Scratch In Minutes Using GitHub Copilot. Visual Studio Code: The Complete Guide for Developers in 2025 Automate UI Bug Fixing with Chrome MCP Server and Copilot How to Add Custom Command Shortcuts in Cursor My Ultimate VS Code Setup for 2025 (Extensions, Fonts, and Themes) Switching to Zed: Made my own VSCode-Rest utility 💎 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:52 |
https://dev.to/ilyarah/flay-the-fantasy-how-i-stopped-betting-my-future-on-every-line-of-code-and-started-shipping-like-lco | Flay the Fantasy: How I Stopped Betting My Future on Every Line of Code (And Started Shipping Like Crazy in 2026) - 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 ilya rahnavard Posted on Jan 4 Flay the Fantasy: How I Stopped Betting My Future on Every Line of Code (And Started Shipping Like Crazy in 2026) # devchallenge # productivity # midnightchallenge # career Every developer knows that moment. You’re deep in the flow, staring at glowing code, and the whisper hits: “If this lands… everything changes.” This side project. This SaaS experiment. This wild repo. It stops being just code. It becomes salvation . And that’s exactly when the spiral begins. The Deadly Trap: When Code Turns Personal I’ve killed more projects than I care to admit. Not because the ideas sucked — but because I needed them to succeed. Attachment does ugly things: You pile on features nobody asked for, chasing a fake sense of “perfect” You polish endlessly because “it’s not ready” (translation: you’re scared) You obsess over stars, forks, or sign-ups like they’re verdicts on your worth The project mutates from experiment into an identity gamble . Pressure creeps in. Clarity dies. The Reframe That Set Me Free I finally stopped asking: “Will this save me?” And started asking the only question that matters: “What am I actually testing here?” One sentence. Total shift. Now every build is just a hypothesis: If I ship X to Y people, will Z actually happen? No destiny. No drama. Just: build → ship → measure → learn . This is The Lean Startup in its rawest form: be ruthless about validated learning. If it doesn’t teach you something useful, it’s waste — no matter how clever it feels. Suddenly, shipping felt lighter . Failure stopped stinging. Iteration turned addictive . Detachment Isn’t Giving Up — It’s Precision Detachment doesn’t mean apathy. It means caring about the right things. The Stoics nailed this centuries ago. Epictetus put it bluntly: “Some things are up to us, others are not.” Translated into dev language: You control Code clarity and structure Tests and review discipline Shipping fast and often You don’t control Virality Market timing Whether users notice or care Marcus Aurelius pushed it even further: “Fortune behaves exactly as she pleases.” Once you internalize that, your nervous system calms down. Decisions sharpen. Burnout loosens its grip. Carol Dweck’s growth mindset completes the loop: Failure isn’t “I’m a fraud.” It’s data. “That assumption was wrong — not me.” Bugs? Feature flops? Two GitHub stars? Cool. Informational. Next. How I Actually Build Like a Scientist Now No theory. No fluff. This is the workflow. 1. Start with a sharp question, not a grand vision Bad: “This will change everything.” Good: “Will developers pay to solve this specific pain?” If you can’t frame the project as a test, it’s probably ego-driven. 2. Ship before “ready” feels safe Readiness is emotional vaporware. Most projects die waiting for confidence that never shows up. Let reality be the judge. 3. Use AI to accelerate — never to hide Claude, Gemini, Zed for speed? Absolutely. But audit ruthlessly. Speed without understanding produces fragile code — and fragile builders. 4. When it flops, flay the question and rewrite it Didn’t work? Perfect. Ask: Wrong problem? Wrong audience? Wrong delivery? Pivoting isn’t defeat. It’s upgrading the experiment. Why This Mindset Is Non-Negotiable in 2026 AI agents ship faster than your coffee cools. Side projects compete globally overnight. Burnout is practically the default state. Attachment is expensive . Emotional distance is leverage . As Eric Ries said: “The only way to win is to learn faster than anyone else.” And learning requires letting go of the idea that every project must become your legacy. The Quiet Payoff The moment I flayed the salvation fantasy from my code, something strange happened. I shipped more . I stressed less . And — unexpectedly — I succeeded more . Not because I cared less. Because I finally focused on what was real. Your code doesn’t have to save you. It just has to be your next honest experiment . Your turn. What’s a project that bombed — and taught you more than any win ever did? Drop your war stories below. Let’s compare battle scars. 🚀 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 ilya rahnavard Follow Self-taught full-stack blockchain Firestarter — wired for Solana, TON, Fantom(Sonic), and Ethereum L2s. I ship, I write, I share Joined Dec 25, 2025 Trending on DEV Community Hot Top 7 Featured DEV Posts of the Week # top7 # discuss The FAANG is dead💀 # webdev # programming # career # faang What was your win this week??? # weeklyretro # discuss 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:52 |
https://www.youtube.com/creators/ | YouTube Creators - Education & Inspiration for Video Creators Jump to content Welcome, Creators Partner Program How things work Getting started on YouTube Everything you need to create and manage a channel. Building your community Tips & tricks to find, nurture, and build an audience. How to make money on YouTube Explore all ways you can get paid on YouTube. Growing your channel Tools to help you create, connect, and grow. Policies & Guidelines Get the explanations behind the rules. How to get involved How we support, recognize, and celebrate Creators. Top questions Make money while recommending products you love with YouTube Shopping. How it works Everything you need to create on YouTube No matter what kind of information, advice, or help you’re looking for, this is the spot. FEATURED Creators are earning with shopping — join them Learn how to set up YouTube Shopping and start earning. See how it works How things work Getting started on YouTube Everything you need to create and manage a channel. Start creating Building your community Tips & tricks to find, nurture, and build an audience. Grow your audience How to make money on YouTube Explore all ways you can get paid on YouTube. Start earning Growing your channel Tools to help you create, connect, and grow. Reach more viewers How to get involved How we support, recognize, and celebrate Creators. Get involved Policies & Guidelines Get the explanations behind the rules. Get up to speed Top questions Creators have questions and we’ve got answers. We compiled the most common questions we get with answers, plus links to helpful how tos and help center articles. So you can get all the info you need, fast. 01 How do I start creating on YouTube? 02 How do I grow my channel? 03 How do I make edits to my channel? 04 How do I promote my videos? 05 How does the algorithm work? Creator basics: how to set up and customize your channel There are a few ways to get started on YouTube. We offer up different formats and functionalities, giving you the flexibility to create everything from Shorts, which are vertical videos that run 60 seconds or less, to longer form videos. No matter what you’re creating, you’ll need to start by creating a YouTube Channel. First you need to sign into YouTube using a Google Account. Once you’re signed in, click ‘Create Account’, and choose whether it’s for you or for your business. You can then create a YouTube channel on your account, upload videos, leave comments, and create Shorts and playlists. Next, you’ll want to upload your videos! Uploading is easy. You just sign into your YouTube account and then click on the “Create” icon. If you’re planning to upload a longer form video, select “upload video” and then choose your desired video file - you can upload 15 files at a time! If you’d like to upload a YouTube Short , you’ll need to be signed into YouTube mobile, where you’ll tap ‘Create’ and then ‘Create a Short’. From here you can either upload a video from your camera roll or create using our suite of lightweight tools. Help your videos stand out & keep viewers watching Growing your channel is all about creating videos viewers want to watch and accurately presenting them to the audience. When doing so, here’s a few tips to keep in mind. With each video, think carefully about the title, description, and thumbnail you plan to use - these should all accurately reflect your content and let viewers know what they can expect from the video. If you’re a Shorts creator, think about how the first 1-2 seconds of your content can grab viewers scrolling through the video feed! Once you’ve got viewers watching, you can redirect their attention via hashtags, playlists , cards , end screens , and more. Navigating YouTube Studio YouTube Studio is your home base for posting videos and making edits to your channel. To update your channel’s basic info like name, profile picture , and banner, just log in and tap ‘Customisation’ to see your options. You can also make changes to your channel using the Studio Mobile app. You can tap ‘Your Channel’ and then ‘Edit Channel’ to update and edit how your channel looks to your viewers. Note that you can only change your channel’s name three times every 90 days. Read more about managing your channel Promoting your videos Promoting your videos is all about getting the word out there. On YouTube, you can use tools like cards, end screens, Stories, and Community Posts to drive viewers to a specific piece of content! Off-platform, think about promoting your videos on your socials and relevant communities, podcasts, or platforms that align with your content and your intended audience. Read more about promoting your videos How YouTube recommends videos using "the algorithm" Our search and discovery systems are built to find videos that match viewers’ individual interests. We recommend videos based on things such as: what your audience watches and doesn’t watch, how much time they spend watching, what they like and dislike, if they mark a video as ‘not interested’, and on satisfaction surveys. So, rather than trying trying to find a secret code to these systems, focus instead on making videos that you think will resonate with your audience. A great tool here is YouTube Analytics, which provides data that can help you understand how your existing content is performing and provide insights for future videos! 01 How do I start creating on YouTube? Creator basics: how to set up and customize your channel There are a few ways to get started on YouTube. We offer up different formats and functionalities, giving you the flexibility to create everything from Shorts, which are vertical videos that run 60 seconds or less, to longer form videos. No matter what you’re creating, you’ll need to start by creating a YouTube Channel. First you need to sign into YouTube using a Google Account. Once you’re signed in, click ‘Create Account’, and choose whether it’s for you or for your business. You can then create a YouTube channel on your account, upload videos, leave comments, and create Shorts and playlists. Next, you’ll want to upload your videos! Uploading is easy. You just sign into your YouTube account and then click on the “Create” icon. If you’re planning to upload a longer form video, select “upload video” and then choose your desired video file - you can upload 15 files at a time! If you’d like to upload a YouTube Short , you’ll need to be signed into YouTube mobile, where you’ll tap ‘Create’ and then ‘Create a Short’. From here you can either upload a video from your camera roll or create using our suite of lightweight tools. 02 How do I grow my channel? Help your videos stand out & keep viewers watching Growing your channel is all about creating videos viewers want to watch and accurately presenting them to the audience. When doing so, here’s a few tips to keep in mind. With each video, think carefully about the title, description, and thumbnail you plan to use - these should all accurately reflect your content and let viewers know what they can expect from the video. If you’re a Shorts creator, think about how the first 1-2 seconds of your content can grab viewers scrolling through the video feed! Once you’ve got viewers watching, you can redirect their attention via hashtags, playlists , cards , end screens , and more. 03 How do I make edits to my channel? Navigating YouTube Studio YouTube Studio is your home base for posting videos and making edits to your channel. To update your channel’s basic info like name, profile picture , and banner, just log in and tap ‘Customisation’ to see your options. You can also make changes to your channel using the Studio Mobile app. You can tap ‘Your Channel’ and then ‘Edit Channel’ to update and edit how your channel looks to your viewers. Note that you can only change your channel’s name three times every 90 days. Read more about managing your channel 04 How do I promote my videos? Promoting your videos Promoting your videos is all about getting the word out there. On YouTube, you can use tools like cards, end screens, Stories, and Community Posts to drive viewers to a specific piece of content! Off-platform, think about promoting your videos on your socials and relevant communities, podcasts, or platforms that align with your content and your intended audience. Read more about promoting your videos 05 How does the algorithm work? How YouTube recommends videos using "the algorithm" Our search and discovery systems are built to find videos that match viewers’ individual interests. We recommend videos based on things such as: what your audience watches and doesn’t watch, how much time they spend watching, what they like and dislike, if they mark a video as ‘not interested’, and on satisfaction surveys. So, rather than trying trying to find a secret code to these systems, focus instead on making videos that you think will resonate with your audience. A great tool here is YouTube Analytics, which provides data that can help you understand how your existing content is performing and provide insights for future videos! See all questions Resources Learn From getting started to improving your channel’s performance, these resources help you continue to learn and grow. Updates, news, and education from experts and Creators. YouTube Creators Channel Support If you have a problem, we’re here to help you solve it. Fix upload problems, troubleshoot account issues, and more. Get the breakdown on topics most important to Creators. Help Center The place to ask questions and provide feedback. Community Forum Connect Ask questions, find answers, and understand more about YouTube via our social channels and email. The latest tools, tips, and inspiration for Creators like you. @YouTubeCreators Real-time answers. Available in: English, Español, Português, Deutsch, Français, Pусский, 日本語, and Bahasa Indonesia. @TeamYouTube Get the latest information and resources in your inbox. YouTube Emails | 2026-01-13T08:47:52 |
https://hmpljs.forem.com#main-content | HMPL.js 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 HMPL.js Forem Close Welcome to HMPL.js Forem — part of the Forem network! Powerful templates, minimal JS Create account Log in Home About Contact Other Code of Conduct Privacy Policy Terms of Use Twitter Facebook Github Instagram Twitch Mastodon Popular Tags #webdev #programming #javascript #beginners #tutorial #react #opensource #discuss #career #architecture #security #news #api #showdev #frontend #backend #performance #angular #html #tools #vue #ui #help #code #fullstack #npm #bestpractices #vite #integration #migration 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 Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . HMPL.js Forem © 2016 - 2026. Posts Relevant Latest Top We're launching on ProductHunt Anthony Max Anthony Max Anthony Max Follow Dec 28 '25 We're launching on ProductHunt # news # javascript # showdev Comments Add Comment 1 min read Added a new example of a HATEOAS application: github.com/hmpl-langua... Anthony Max Anthony Max Anthony Max Follow Nov 27 '25 Added a new example of a HATEOAS application: github.com/hmpl-langua... GitHub - hmpl-language/examples: List of sample applications on HMPL List of sample applications on HMPL. Contribute to hmpl-language/examples development by creating an account on GitHub. github.com 5 reactions Comments Add Comment 1 min read hmpl-lang.dev - new website Anthony Max Anthony Max Anthony Max Follow Dec 21 '25 hmpl-lang.dev - new website HMPL.js | HMPL Documentation HMPL.js is a lightweight server-oriented template language for JavaScript. Fetch HTML, render it safely, and keep apps dynamic, modern, and small. Alternative to HTMX and Alpine.js. hmpl-lang.dev 6 reactions Comments Add Comment 1 min read A new example of using the template language: codesandbox.io/p/sandb... Anthony Max Anthony Max Anthony Max Follow Dec 4 '25 A new example of using the template language: codesandbox.io/p/sandb... codesandbox.io 6 reactions Comments Add Comment 1 min read Great news today: we've finally launched a section featuring community projects built with hmpl-js. github.com/hmpl-langua... Anthony Max Anthony Max Anthony Max Follow Nov 20 '25 Great news today: we've finally launched a section featuring community projects built with hmpl-js. github.com/hmpl-langua... GitHub - hmpl-language/projects: A list of community projects built with hmpl-js A list of community projects built with hmpl-js. Contribute to hmpl-language/projects development by creating an account on GitHub. github.com 8 reactions Comments 1 comment 1 min read hello~ seagames seagames seagames Follow Nov 20 '25 hello~ Comments 1 comment 1 min read Major module update! Anthony Max Anthony Max Anthony Max Follow for HMPL.js Nov 17 '25 Major module update! # webdev # javascript # programming # opensource 23 reactions Comments 2 comments 2 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 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 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 . HMPL.js Forem © 2016 - 2026. Powerful templates, minimal JS Log in Create account | 2026-01-13T08:47:52 |
https://www.youtube.com/about/policies/ | 개방성을 지향하는 YouTube 정책 - YouTube 작동의 원리 콘텐츠로 이동 YouTube 작동의 원리 AI 저작권 크리에이터 경제 선거 아동 및 청소년 학습 뉴스 개인 정보 보호 맞춤 동영상 YouTube 정책 영향력 보고서 투명성 보고서 YouTube 정책 YouTube의 사명은 평범한 사람들이 자신의 목소리를 낼 수 있게 돕고 더 큰 세상과 만나게 하는 것이며, 그 핵심에는 개방성과 표현의 자유가 있습니다. YouTube 플랫폼은 다양한 관점을 장려하는 곳이기에, 다른 의견이나 토론을 배척하지 않습니다. 섹션으로 이동 YouTube 가이드라인 운영 방식 YouTube가 크리에이터를 지원하는 방법 악용 행위 방지하기 섹션으로 이동 YouTube 정책 YouTube 가이드라인 운영 방식 YouTube가 크리에이터를 지원하는 방법 악용 행위 방지하기 커뮤니티 가이드 및 광고주 친화적인 콘텐츠 가이드라인 운영 방식 YouTube의 정책은 시청자, 크리에이터, 광고주가 신뢰할 수 있는 책임감 있는 비즈니스를 유지하며 YouTube에서 지속적인 성장을 이어갈 수 있도록 돕습니다. 모든 시스템이 그렇듯 YouTube에서도 실수가 발생할 수 있습니다. 그러므로 이의신청 은 YouTube 절차에서 중요한 부분을 차지합니다. 정책 위반으로 동영상이 삭제되거나 YPP에서 계정이 정지될 수 있는 경우 크리에이터에게 알림이 전송되며, 크리에이터는 YouTube 결정에 동의하지 않는 경우 이의신청을 할 수 있습니다. YouTube는 커뮤니티 가이드 와 광고주 친화적인 콘텐츠 가이드라인 을 통해 균형을 유지하고 있습니다. 커뮤니티 가이드 YouTube 커뮤니티 가이드를 위반하는 콘텐츠는 자동 감지와 사람의 신고 를 통해 발견되며, 대부분은 자동으로 감지됩니다. YouTube는 정책 위반 콘텐츠가 삭제되기 전까지 해당 콘텐츠의 노출을 최소화하거나 아예 노출되지 않도록 다양한 노력을 기울이고 있습니다. 명확하게 교육, 다큐멘터리, 과학, 예술 (EDSA) 맥락이 있는 콘텐츠에는 예외가 적용될 수 있습니다. 광고주 친화적인 콘텐츠 가이드라인 YouTube는 YouTube에 광고를 게재하는 브랜드의 비즈니스 이익을 보호합니다. 이를 위해 YouTube는 광고주 친화적인 콘텐츠 가이드라인을 마련했습니다. YouTube 파트너 프로그램(YPP) 에 참여하는 크리에이터는 이 가이드라인을 따라야 채널 콘텐츠에 광고를 게재하고 수익을 공유받을 수 있습니다. YouTube가 크리에이터를 지원하는 방법 YouTube는 2007년부터 수익 공유 모델인 YouTube 파트너 프로그램 을 통해 매달 자격 요건을 충족하는 크리에이터에게 수익을 지급해 왔습니다. YPP 자격을 얻고자 하는 크리에이터는 YouTube에 공유하는 콘텐츠에 대해 더 엄격한 기준을 충족해야 합니다. 크리에이터는 YouTube 수익 창출 정책 을 준수해야 하며, YouTube는 각 신청자의 채널을 검토한 후 YPP 가입을 수락합니다. YouTube는 또한 광고주 친화적인 콘텐츠 가이드라인을 위반하는 동영상의 수익 창출을 중지하고, 정책을 반복적으로 위반하는 크리에이터의 YPP 참여를 정지시킵니다. 이러한 모델을 통해 YouTube 플랫폼의 안전을 강화하고 정책을 준수하는 크리에이터에게 장기적으로 혜택이 돌아갈 수 있습니다. 또한 YouTube는 크리에이터가 콘텐츠와 커뮤니티를 관리할 수 있도록 다양한 도구를 제공합니다. 환경 관리 채널 가이드라인은 크리에이터가 자신의 채널에서 나누고 싶은 대화의 유형을 관리하는 데 도움이 됩니다. 크리에이터는 부적절할 수 있는 댓글을 검토할 수 있도록 보류하고, 특정 사용자를 숨기고, 단어를 차단하고, 다른 사용자에게 댓글 검토 권한을 부여하는 등의 조치를 취할 수 있습니다. 채널 가이드라인 설정 방법 채널 관리 YouTube는 크리에이터가 채널 관리 방법을 정할 수 있는 다양한 제품을 제공합니다. 커뮤니티 및 댓글 관리 방법 개인 정보 보호 및 안전 리소스 YouTube는 크리에이터의 개인 정보 보호와 안전을 중요하게 생각하며 이를 지원하기 위해 다양한 도구와 리소스를 제공합니다. 개인 정보 보호 및 안전 도구 사용 방법 YouTube가 업계 전문가와 협력하여 악용 행위를 방지하는 방법 폭력적인 극단주의자 또는 범죄 조직을 찬양, 홍보하거나 지원하려는 의도로 제작된 콘텐츠는 YouTube에서 허용되지 않습니다. YouTube는 범죄 조직 또는 테러 조직 여부를 판단할 때 특정 정부나 국제기구에서 지정한 조직인지를 포함해 다양한 사항을 고려합니다. 또한 테러 방지를 위한 글로벌 인터넷 포럼 (GIFCT) 의 창립 멤버로서 다른 IT 기업과 협력하여 테러 관련 콘텐츠를 웹에서 삭제하고 비슷한 문제에 직면한 소규모 기업에 교육 및 기타 리소스를 제공합니다. 더 둘러보기 크리에이터와 아티스트를 보호하기 위한 새로운 도구 YouTube가 크리에이터의 변경 또는 합성된 콘텐츠 공개를 지원하는 방법 시청자에게 동영상의 맥락과 정보를 추가 제공하기 위해 테스트 중인 새로운 방법 | 2026-01-13T08:47:52 |
https://dev.to/devdiscuss/s6-e5-when-you-should-start-thinking-about-performance | S6:E5 - When You Should Start Thinking About Performance - 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 DevDiscuss Follow S6:E5 - When You Should Start Thinking About Performance Sep 8 '21 play In this episode, we talk about web performance with Todd Underwood, senior director of engineering and SRE at Google. Show Notes Scout APM (DevDiscuss) (sponsor) Cockroach Labs (DevDiscuss) (sponsor) CodeLand (sponsor) Todd Underwood Todd Underwood is a director at Google. He leads machine learning for site reliability engineering (SRE) for Google. ML SRE teams build and scale internal and external ML services and are critical to almost every product area at Google. He is also the engineering site lead for Google’s Pittsburgh office. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Nikhil-1503 Nikhil-1503 Nikhil-1503 Follow Location Mangalore, India Work Student Joined Oct 15, 2020 • Sep 10 '21 Dropdown menu Copy link Hide These podcasts are really informative and I am loving these podcasts. I am eagerly waiting for the next episodes. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nived Nived Nived Follow a human living on planet earth Location earth Pronouns He/ Him Joined May 30, 2021 • Feb 9 '22 Dropdown menu Copy link Hide These are very informative and looking forward to next ep's Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand kocagozhkn kocagozhkn kocagozhkn Follow Joined Jan 7, 2020 • Sep 15 '21 Dropdown menu Copy link Hide thanks for innovative and educative content. 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:52 |
https://www.linkedin.com/in/anton-zagrebelny/ | Anton Zagrebelny - Stigg | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Join now Sign in to view Anton’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Anton Zagrebelny Tel Aviv-Yafo, Tel Aviv District, Israel 3K followers 500+ connections See your mutual connections View mutual connections with Anton Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Join to view profile Stigg The Open University of Israel Report this profile About Passionate about software craftsmanship. Building @Stigg. I’m into event-driven… see more Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now Activity 🚨 BREAKING: Torq announces $140 million Series D at $1.2 billion valuation. Read the Bloomberg exclusive: https://bloom.bg/49xAevR 🚨 BREAKING: Torq announces $140 million Series D at $1.2 billion valuation. Read the Bloomberg exclusive: https://bloom.bg/49xAevR Liked by Anton Zagrebelny Myth: "As a CTO, you're not going to code anymore" Reality: I used 6.3 billion Cursor tokens in 2025. Here's why: 1. Today we have 20+ people in… Myth: "As a CTO, you're not going to code anymore" Reality: I used 6.3 billion Cursor tokens in 2025. Here's why: 1. Today we have 20+ people in… Liked by Anton Zagrebelny סיכום ויזואלי הוא תמיד יותר נוח מלקרוא טקסט ארוך! אז מה עשיתי? לקחתי פרויקט לימודי שאני עובד עליו, נתתי לאיג'נט החביב עלי לסכם אותו בתוך ה-… סיכום ויזואלי הוא תמיד יותר נוח מלקרוא טקסט ארוך! אז מה עשיתי? לקחתי פרויקט לימודי שאני עובד עליו, נתתי לאיג'נט החביב עלי לסכם אותו בתוך ה-… Liked by Anton Zagrebelny Join now to see all activity Experience & Education *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Stigg *]:mb-0 not-first-middot leading-[1.75]"> ********** * *** *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> *** ****** **** *]:mb-0 not-first-middot leading-[1.75]"> ****** ******** ******** *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> ***** *** *]:mb-0 not-first-middot leading-[1.75]"> ********** * *** *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> *** **** ********** ** ****** *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> View Anton’s full experience See their title, tenure and more. Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Languages *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> English *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Hebrew *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Russian *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> More activity by Anton forward deployed engineer is the hottest job title of 2026 and i'm not surprised for those who don't know, it's basically an engineer who works… forward deployed engineer is the hottest job title of 2026 and i'm not surprised for those who don't know, it's basically an engineer who works… Liked by Anton Zagrebelny How I saved $12,000 / year on SOC 2 - with AI :) And how you can, too! --- First of all, a VERY exciting announcement: 🎉 Glitter AI is now… How I saved $12,000 / year on SOC 2 - with AI :) And how you can, too! --- First of all, a VERY exciting announcement: 🎉 Glitter AI is now… Liked by Anton Zagrebelny I fixed my biggest gripe with Claude Code: reviewing the code it generates. The options are either slow down and review every diff, or "accept edits… I fixed my biggest gripe with Claude Code: reviewing the code it generates. The options are either slow down and review every diff, or "accept edits… Liked by Anton Zagrebelny At the end of last year, AI agents really came alive for me. Partly because the models got better, but more so because we gave them the tools to take… At the end of last year, AI agents really came alive for me. Partly because the models got better, but more so because we gave them the tools to take… Liked by Anton Zagrebelny אמל״ק - שמח לברך את סוכנות Ocean Media IL מקבוצת Omnicom Media Group כלקוח של טופו. כמישהו שבא מעולם ה-SaaS בהתחלה בניתי את טופו שיתאים לשיווק… אמל״ק - שמח לברך את סוכנות Ocean Media IL מקבוצת Omnicom Media Group כלקוח של טופו. כמישהו שבא מעולם ה-SaaS בהתחלה בניתי את טופו שיתאים לשיווק… Liked by Anton Zagrebelny בהמשך לפוסט הקודם שלי, דיברתי כמה פעמים על הרעיון של Simultaneous Agents ופחות על ה-איך. בתגובה הראשונה אשתף סטאק AI בסיסי להרצת coding agents… בהמשך לפוסט הקודם שלי, דיברתי כמה פעמים על הרעיון של Simultaneous Agents ופחות על ה-איך. בתגובה הראשונה אשתף סטאק AI בסיסי להרצת coding agents… Liked by Anton Zagrebelny אם אתם מריצים #GPT או #Gemini בAPI ולא מכירים את זה- כנראה שאתם סתם משלמים פי 2💲 הרציתי לא מזמן בAI WEEK ושאלו- מה הטיפ הכי יעיל לעבודה עם LLMs אז… אם אתם מריצים #GPT או #Gemini בAPI ולא מכירים את זה- כנראה שאתם סתם משלמים פי 2💲 הרציתי לא מזמן בAI WEEK ושאלו- מה הטיפ הכי יעיל לעבודה עם LLMs אז… Liked by Anton Zagrebelny Enterprise budget *controls* are about to be disrupted. Take CTO office as an example; budget owner of anything from developer headcount, through… Enterprise budget *controls* are about to be disrupted. Take CTO office as an example; budget owner of anything from developer headcount, through… Liked by Anton Zagrebelny Transaction Anxiety. Still sweating every time you hit SEND? 😅 In 2026, managing a corporate treasury shouldn't feel like diffusing a bomb. Utila… Transaction Anxiety. Still sweating every time you hit SEND? 😅 In 2026, managing a corporate treasury shouldn't feel like diffusing a bomb. Utila… Liked by Anton Zagrebelny View Anton’s full profile See who you know in common Get introduced Contact Anton directly Join to view full profile Other similar profiles Imri Hecht Imri Hecht Tel Aviv-Yafo Connect Yossi Motro Yossi Motro Israel Connect Noam Ackerman Noam Ackerman Israel Connect Jonathan Clark Jonathan Clark Israel Connect Eran Kravitz Eran Kravitz Israel Connect Ariel Yaroshevich Ariel Yaroshevich Israel Connect Nimrod Popper Nimrod Popper Israel Connect Erik Sapir Erik Sapir Tel Aviv District, Israel Connect Or Stern Or Stern Tel Aviv District, Israel Connect 🛸 Alex Komarovsky 🛸 Alex Komarovsky Israel Connect Ori Gil Ori Gil Tel Aviv District, Israel Connect Jane Velger Jane Velger United Kingdom Connect Reshef Mann Reshef Mann Israel Connect Aviad Coppenhagen Aviad Coppenhagen Israel Connect Saar Yahalom Saar Yahalom London Connect Yaniv Zecharya Yaniv Zecharya Israel Connect Boris Spektor Boris Spektor Israel Connect Ofer Garnett Ofer Garnett Center District, Israel Connect Yaniv Ben-Yosef Yaniv Ben-Yosef Israel Connect Omer Raviv Omer Raviv Israel Connect Show more profiles Show fewer profiles Explore top content on LinkedIn Find curated posts and insights for relevant topics all in one place. View top content Add new skills with these courses 1h 7m Building Scalable Microservices with TypeScript and Node.js 1h 30m Rust AWS Lambda 1h 45m Scaling TypeScript for Enterprise Developers See all courses LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . See who in Anton’s network is hiring Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . | 2026-01-13T08:47:52 |
https://crypto.forem.com/contact | Contact Crypto 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 Crypto Forem Close Contacts Crypto Forem would love to hear from you! Email: support@dev.to 😁 Twitter: @thepracticaldev 👻 Report a vulnerability: dev.to/security 🐛 To report a bug, please create a bug report in our open source repository. To request a feature, please start a new GitHub Discussion in the Forem repo! 💎 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 Crypto Forem — A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. 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 . Crypto Forem © 2016 - 2026. Uniting blockchain builders and thinkers. Log in Create account | 2026-01-13T08:47:52 |
https://claude.com/solutions/customer-support | Customer support | Claude -------> Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Solutions Solutions / Customer support Explore here Ask questions about this page Copy as markdown Build AI support agents with a more human touch With enhanced reasoning and a human-like tone, Claude uses your internal knowledge to take relevant action across systems and tools. Start building Start building Start building Contact sales Contact sales Contact sales Transform support
experiences with Claude Claude listens carefully, follows instructions precisely,
and thinks through complex problems. Help customers faster
with intelligent
conversation routing Deliver personalized
responses in any language, across any channel Cut resolution times and support costs while increasing customer satisfaction Get to production faster with
the Claude Developer Platform One platform to build, test, and iterate on your AI deployment. View prompt View prompt View prompt Prompt Classify all customer support tickets into the most relevant category. Here is the list of categories to choose from:{{CATEGORY_LIST}} Here is the content of the support ticket:{{TICKET_CONTENT}} What would you like to improve? Please include a rationale for the classification. You are an AI assistant specialized in classifying customer support tickets. Your task is to analyze the content of a given ticket and assign it to the most appropriate category from a predefined list. You will also provide reasoning for your classification decision. First, let's review the available categories: <category_list> {{CATEGORY_LIST}} </category_list> Now, here is the content of the support ticket you need to classify: <ticket_content> {{TICKET_CONTENT}} </ticket_content> Please follow these steps to complete the task: – Carefully read and analyze the ticket content. – Consider how the content relates to each of the available categories. – Choose the most appropriate category for the ticket. – Provide a detailed explanation of your reasoning process. Use the following structure for your response: <classification_analysis> In this section, break down your thought process: – Quote the most relevant parts of the ticket content. – List each category and note how it relates to the ticket content. – For each category, provide arguments for and against classifying the ticket into that category. – Rank the top 3 most likely categories. </classification_analysis> <classification> <category>Your chosen category goes here</category> <reasoning>A concise summary of your reasoning for choosing this category</reasoning> </classification> Remember to be thorough in your analysis and clear in your explanation. Your goal is to provide an accurate classification with well-supported reasoning. Built for developers Build faster with pre-built cookbooks and guides Improve and evaluate your prompts with the Workbench Optimize for intelligence and cost with prompt caching See what customer experience
teams are saying “With Claude, we’re not just automating customer service—we’re elevating it to truly human quality. This lets support teams think more strategically about customer experience and what makes interactions genuinely valuable.” Read story Read story Read story Fergal Reid, VP of AI “Anthropic provides exceptional support, giving us direct access to expert researchers who help us get the most out of Claude. Our close partnership has been instrumental in pushing output quality for our customers.” Nhung Ho, Vice President of AI “Claude performed so well that we’re reevaluating our entire model infrastructure. The reasoning capabilities are significantly better, and the conversational tone feels much more natural even out of the box.” John Wang, Co-founder “We think Claude will help Coinbase build solutions for different customer segments and bring a billion customers to the crypto economy.” Varsha Mahadevan, Senior Engineering Manager “Businesses will use generative AI, Q included, to tackle ambiguous and highly-fluid self-service use cases. This enables human agents to focus on complex issues that require expertise, enhancing customer satisfaction and employee development.” Jack Hutton, Principal Product Manager for Amazon Q in Connect “Claude Sonnet delivers the best accuracy, which is crucial for our highly sensitive use cases like refunds and cancellations.” Chyngyz Dzhumanazarov, Co-founder and CEO “Claude fundamentally changes what’s possible in automated customer care. The ability to have nuanced, context-aware conversations through secure enterprise channels opens up entirely new possibilities for how companies and customers interact.” Michael Griffiths, Senior Director of Data Science “Claude is uniquely skilled at understanding and following intricate, multi-step processes with high accuracy. It can navigate the nuanced business logic of each company’s support processes, while catching potential errors before they happen.” Ashwin Sreenivas, CTO and co-founder Prev Prev 0 / 5 Next Next Everything you need to succeed with Claude Learn how to get started with our API Learn how to get started with our API Learn how to get started with our API Developer doc Developer doc Developer doc Start building with our customer support quickstart Start building with our customer support quickstart Start building with our customer support quickstart Quickstart Quickstart Quickstart See how other companies are powering customer support agents with Claude See how other companies are powering customer support agents with Claude See how other companies are powering customer support agents with Claude Customer stories Customer stories Customer stories Homepage Homepage Next Next Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Write Button Text Button Text Learn Button Text Button Text Code Button Text Button Text Write Help me develop a unique voice for an audience Hi Claude! Could you help me develop a unique voice for an audience? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Improve my writing style Hi Claude! Could you improve my writing style? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Brainstorm creative ideas Hi Claude! Could you brainstorm creative ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Learn Explain a complex topic simply Hi Claude! Could you explain a complex topic simply? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Help me make sense of these ideas Hi Claude! Could you help me make sense of these ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Prepare for an exam or interview Hi Claude! Could you prepare for an exam or interview? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Code Explain a programming concept Hi Claude! Could you explain a programming concept? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Look over my code and give me tips Hi Claude! Could you look over my code and give me tips? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Vibe code with me Hi Claude! Could you vibe code with me? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! More Write case studies This is another test Write grant proposals Hi Claude! Could you write grant proposals? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to — like Google Drive, web search, etc. — if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can - an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Write video scripts this is a test Anthropic Anthropic © [year] Anthropic PBC Products Claude Claude Claude Claude Code Claude Code Claude Code Max plan Max plan Max plan Team plan Team plan Team plan Enterprise plan Enterprise plan Enterprise plan Download app Download app Download app Pricing Pricing Pricing Log in Log in Log in Features Claude in Chrome Claude in Chrome Claude in Chrome Claude in Slack Claude in Slack Claude in Slack Claude in Excel Claude in Excel Claude in Excel Skills Skills Skills Models Opus Opus Opus Sonnet Sonnet Sonnet Haiku Haiku Haiku Solutions AI agents AI agents AI agents Code modernization Code modernization Code modernization Coding Coding Coding Customer support Customer support Customer support Education Education Education Financial services Financial services Financial services Government Government Government Healthcare Healthcare Healthcare Life sciences Life sciences Life sciences Nonprofits Nonprofits Nonprofits Claude Developer Platform Overview Overview Overview Developer docs Developer docs Developer docs Pricing Pricing Pricing Regional Compliance Regional Compliance Regional Compliance Amazon Bedrock Amazon Bedrock Amazon Bedrock Google Cloud’s Vertex AI Google Cloud’s Vertex AI Google Cloud’s Vertex AI Console login Console login Console login Learn Blog Blog Blog Claude partner network Claude partner network Claude partner network Courses Courses Courses Connectors Connectors Connectors Customer stories Customer stories Customer stories Engineering at Anthropic Engineering at Anthropic Engineering at Anthropic Events Events Events Powered by Claude Powered by Claude Powered by Claude Service partners Service partners Service partners Startups program Startups program Startups program Tutorials Tutorials Tutorials Use cases Use cases Use cases Company Anthropic Anthropic Anthropic Careers Careers Careers Economic Futures Economic Futures Economic Futures Research Research Research News News News Responsible Scaling Policy Responsible Scaling Policy Responsible Scaling Policy Security and compliance Security and compliance Security and compliance Transparency Transparency Transparency Help and security Availability Availability Availability Status Status Status Support center Support center Support center Terms and policies Privacy choices Cookie settings We use cookies to deliver and improve our services, analyze site usage, and if you agree, to customize or personalize your experience and market our services to you. You can read our Cookie Policy here . Customize cookie settings Reject all cookies Accept all cookies Necessary Enables security and basic functionality. Required Analytics Enables tracking of site performance. Off Marketing Enables ads personalization and tracking. Off Save preferences Privacy policy Privacy policy Privacy policy Responsible disclosure policy Responsible disclosure policy Responsible disclosure policy Terms of service: Commercial Terms of service: Commercial Terms of service: Commercial Terms of service: Consumer Terms of service: Consumer Terms of service: Consumer Usage policy Usage policy Usage policy x.com x.com LinkedIn LinkedIn YouTube YouTube Instagram Instagram English (US) English (US) 日本語 (Japan) Deutsch (Germany) Français (France) 한국어 (South Korea) | 2026-01-13T08:47:52 |
https://dev.to/dotnet-rocks/api-observability-with-anthony-alaribe#main-content | API Observability with Anthony Alaribe - 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 .NET Rocks! Follow API Observability with Anthony Alaribe Mar 28 '24 play Do you understand how your APIs are being used? Carl and Richard talk to Anthony Alaribe about his experiences dealing with poorly documented APIs that need updates - but no breaking changes! Anthony tells a story about missing a use case for an API that cost a lot of money, which started him down the path to making APItoolkit.io. The toolkit allows you to see how your API is being used and any exceptions that are happening. It will also generate tests to validate that your new version won't cause problems! Check it out! 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:52 |
https://ruul.io/blog/cold-email-templates-for-freelancers-effective-strategies-to-land-clients#$%7Bid%7D | Cold Email Template for Freelancers: Best Email Options Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow Cold Email Templates for Freelancers: Effective Strategies to Land Clients Discover powerful cold email templates for freelancers to attract clients and boost your business. Start converting leads today! Umut Güncan 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Cold emailing is one of the most used strategies by freelancers. It can be a powerful tool for freelancers to attract new clients. Sending cold emails is a great way to connect with potential clients and grow your business. Writing an effective cold email is not only about introducing yourself, it is also about attracting your clients with the most accurate approach. Presenting your business, your set of skills and experience, writing an attractive offer is extremely important for a cold email. In this article, we’ll share some practical cold email templates designed for freelancers, so you can showcase your value and turn leads into clients. Plus, we’ll introduce tools like Ruul to simplify your invoicing and payment processes. Cold emailing is calling your potential clients. It may look like a burden or hard work but with the right approach, it can lead to valuable business opportunities. The key to successful cold emailing lies in personalization, clear communication, and following up. When reaching out, it is important to introduce yourself, explain your services, and highlight how you can solve a specific problem for the recipient. Basic Cold Email Template For example if you are a digital marketer, Here’s a basic template to get you started: Subject Line : Helping You Achieve Your Marketing Goals Email Body : Hi James, My name is XX, and I’m a freelance marketer specializing in digital growth and lead generation. I recently came across your work and was impressed. I believe my skills in Meta ads, Google ads management and social media management can help you achieve your growth while helping you attract your potential clients. I’d love to discuss how we can work together. Would you be open to a brief call next week to explore this further? Best regards This e-mail can be a good start for your cold mailing to introduce yourself and your skills. Template for Offering Specific Services If you want to target your email to a specific service, consider this template: Subject Line : Elevate Your SEO Strategy Email Body : Hi, I’m XX, a freelance SEO Strategist. I noticed that your SEO work is not completely focused on. I’d love to show you how my approach can enhance your projects. For instance, I recently helped a similar client achieve 30% increased engagement. If you’re interested, I’d be happy to send you a freelance invoice for our potential work together, outlining the services I can provide. Looking forward to your thoughts! Best, Template for Follow-Up If you haven’t received a response, it’s okay to follow up. Here’s how you can do it: Subject Line : Following Up on My Last Email Email Body : Hi James, I wanted to follow up on my previous email. I understand you may be busy, but I truly believe my expertise could provide great value to your company. If you have any questions or need more information, I’d be happy to help. Additionally I can send you a brief for the services I propose. Thank you for your time, and I look forward to hearing from you! Best, Template for Payment Delay Communication Sometimes, clients may delay payment for your services. Here’s a polite way to address this issue: Subject Line : Friendly Reminder About Invoice Email Body : Hi James, I hope this message finds you well! I wanted to follow up regarding the invoice which was due on XX.XX.XXXX. If you could provide an update on the payment status, I would greatly appreciate it. If there are any questions regarding the invoice, please let me know. Thank you for your attention to this matter! Best regards, When sending out cold emails, it’s important to set clear payment terms to avoid misunderstandings later. Here’s a brief mention you can include in your emails: “I always ensure that my freelance payment terms are clearly communicated at the establishment stage for a smooth working relationship.” Additional Tips for Cold Email Success Personalization is Key : Always tailor your emails to the specific recipient. Mentioning their company and projects shows you’ve done your research. Be Clear : Keep your emails short and to the point. Use a Strong Call to Action : Encourage the recipient to respond or schedule a meeting. Follow Up : Don’t hesitate to send a follow-up email if you don’t hear back after a week or so. Cold emailing can be an effective strategy for freelancers to connect with potential clients and showcase their skills. By using clear templates, personalizing your outreach, and following up, you can increase your chances of landing new projects. Remember to communicate your freelance payment terms upfront and address any payment delays politely. For invoicing needs, tools like Ruul can simplify the process, making it easy to manage freelance invoices and ensure timely payments. With these templates and tips, you’re ready to start reaching out to potential clients and building your freelance business! Ruul is your perfect solution for all your freelancing needs! From managing invoices and onboarding clients to offering cryptocurrency payouts and enabling fast international payments, Ruul simplifies your financial processes. Ruul act like your Merchant of Record and onboard your clients, manage billings and payments. If you are a freelancer and need to handle your invoicing without company , Ruul will be your number one partner to go! ABOUT THE AUTHOR Umut Güncan With a degree in electronic engineering, Umut has over 15 years of experience in the industry. For the past 8 years, he has been leading tech and product teams at companies including Getir, specializing in crafting standout products that give these companies an edge. More Best Places to Live for Digital Nomads Ready to find your next home as a digital nomad? Read on for the best cities offering the perfect mix of lifestyle and work essentials. Read more Upwork Alternatives for Freelancers Looking for Upwork alternatives? Discover 10 freelance platforms with lower fees, faster payouts, and better client matches. Read more Legal Rights for Freelancers in Case of Late Payments What are your legal rights as a freelancer to avoid late payments and protect your earnings? Click now for expert advice. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:52 |
https://ruul.io/blog/6-time-tracking-tools-for-freelancers-to-use-in-2022 | 6 time tracking tools for freelancers - Ruul Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up work 6 time tracking tools for freelancers Check out our time tracking tool list with the top 6 options for freelancers, complete with pros and cons, and find the perfect solution for managing your time. Umut Güncan 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Anyone who does freelance work knows that time is money. Changing how you spend time is one of the best steps you can take to be more productive, organized, and efficient at work, saving you time in the long run. If you are looking to start getting serious about time management, then time tracking tools are just what you’re looking for. How to choose a freelance time tracker Choosing a time tracker for freelance work is all about finding the software that suits your needs and your budget. Some of the things that you should consider include: how detailed the reports are how easy it is to use integrations with other platforms your workflow the costs Take all these factors into consideration when you’re choosing your product. What is time tracking? A time tracker does exactly what the name suggests: it tracks the amount of time spent on a given task and provides a detailed report detailing the data. Freelancers usually use them to help organize their efforts to complete their tasks. For example, time tracking software can serve as a project time tracking tool. Not only does this help you improve your productivity, but also provides you with concrete data on how much time you spend working on a freelance project. If you’re billing your clients on an hourly basis , this will be necessary. What makes time tracking software excellent? With so many options to choose from, it can be a bit overwhelming to choose the right time tracking tool. That’s why it’s important to weigh in on the features that each offers. We’re going over some of the features offered that make some time tracker apps stand out from the rest. Live timer A live timer is intuitive, because, as the name suggests, it tracks the time you’re spending on a task live. Some time tracking apps require their users to manually enter the information themselves, so having an automated process giving you accurate, real-time results is much simpler. Time edits Time edits are useful because it allows you to do more than just enter or edit times. Using this feature, you can customize the entry in whatever way you want. You can edit descriptions to include the names of the tasks or other pieces of information. Detailed reports Having detailed reports is probably the most important thing to look for. You want reports that give you the information you need in an easy to comprehend way. You’ll be getting the information you need to make decisions. So make sure you get a program that gives you all the information you’re looking for. The best time tracking tools for freelance work Here we’ll look at what we consider to be the 6 best time tracking tools for freelancers, comparing their pros and cons as well as their pricing. ClickUp ClickUp takes care of all your project management needs, with a great time tracking tool feature for freelance work. Pros Several customizable tools at an affordable rate Offers several templates for managing projects in diverse fields like Finance or Design Can be integrated with other project management tools like Trello Cons The free option does not include features like reports and unlimited storage A lot of customization is required to get you the information you want from your reports ClickUp offers a free product as well as paid plans. Keep in mind that paid products offer more services. You can choose Free Forever for personal use, Unlimited for small teams/solo businesses with regular collaborators, for $5 per member/month, Business for mid-sized teams for $12 per member/month, and Business Plus for $19 per member/month. For even larger teams, you can opt for Enterprise , and contact their Sales Team to get a quote. Clockify Clockify is a comprehensive time tracking tool for freelancers to track work hours, enter timesheets, and manage their time through calendars. Pros Simple and easy to use Has many ways to clock in work and track progress Automated time tracker helps monitor activity and create timesheets Cons Relatively few customization options The built-in invoicing feature is not functional enough Clockify has a freemium plan, but you need to upgrade to paid plans to access more features. The Basic plan is $3.99 per user/month (if billed annually) and includes admin features. The Standard plan is $5.49 per user/month (if billed annually) and comes with in-depth timesheeting features. Toggl Toggl Track is a great time tracking tool for consultants or freelancers that offers easy-to-use services at affordable options. Pros Easy to use systems Insightful and customizable reports Optimized for PC, mobile devices, and several apps Has a free option with helpful features Cons Limited use beyond time tracking, for example, cannot use to schedule Team plans are more expensive than other time tracking tools Besides the free option (up to 5 users), there are also two paid options. Starter has more features than the free version and costs $9 a month per user, and Premium has more features than Starter and costs $18 per month per user . Timely Timely is an AI-powered time tracker tool that creates accurate timesheets and boosts productivity with complementary features. Pros Automated time tracking reduces interruptions Accurate, AI-driven calculations reduce errors Prioritizes privacy, advocates for anti-surveillance Cons No free plans No website blocking for focus time Timely has three plans to choose from: Starter ( $9 per user/month , with up to 50 projects and 3 teams), Premium ( $16 per user/month , unlimited projects & teams), Unlimited ( $22 per user/month , unlimited projects, teams, features, and capacity). Traqq Traqq is a simple time tracking tool where you can automate your timesheets and productivity reports, optimized for multiple devices. Pros Quick setup, easy use Free for up to 3 users (perfect for freelance time tracking) Provides offline time tracking (syncs data once you’re back online) Cons Limited functions that focus primarily on time tracking No integrations available If you’re a freelancer or a small business that requires up to 3 seats, you can access all the premium features of Traqq completely free . For teams between 4 to 100 people, the Premium Teams plan costs $6 per user/month . If you want to use Traqq for larger teams of over 100 people, you can contact their Sales Team for a quote. Time Doctor Time Doctor is a time tracking tool helping you manage timesheets for a team, track your time for productivity, and any other business needs you may have. Pros Seamless integration across PC and mobile Can manage team schedules Provides detailed information that helps boost productivity Cons Dated UI/interface that can be hard to use Can be expensive for a small team Time Doctor offers a free trial as well as three paid plans with more features. The Basic plan costs $5.90 per user/month , the Standard plan costs $8.40 per user/month and the Premium plan is $16.70 per user/month. Elevate your freelance work with time tracking tools Time tracking apps make running your business easier by showing the ways that you can be more productive and manage or collaborate with a remote team , with extra features to make freelance work much more seamless. They give you the information necessary to make smart moves for working more efficiently, saving time and money. Paired with Ruul as your work, finance, and compliance partner, you will be well on your way to success with minimal stress. Join Ruul now to get started. ABOUT THE AUTHOR Umut Güncan With a degree in electronic engineering, Umut has over 15 years of experience in the industry. For the past 8 years, he has been leading tech and product teams at companies including Getir, specializing in crafting standout products that give these companies an edge. More The Essential Canva Glossary: Key Terms Every User Should Know Master Canva with this comprehensive glossary of essential terms. Learn about templates, animations, brand kits, and how tools like Ruul can streamline payments for designers. Read more The 5 Best Cities for Digital Nomads in Spain Discover the 5 best cities in Spain for digital nomads, offering vibrant cultures, affordable living, and modern coworking spaces. Explore Barcelona, Madrid, Valencia, Malaga, and Seville for the ultimate work-life balance. Read more Smart, speedy and sleek: Meet the new Ruul dashboard Introducing the new Ruul dashboard: smart, speedy, and sleek. Discover an enhanced user experience designed to streamline your workflow and maximize productivity Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:52 |
https://dev.to/florent_herisson_691b0bac | Florent Herisson - 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 Florent Herisson 404 bio not found Joined Joined on Jan 9, 2026 More info about @florent_herisson_691b0bac Post 5 posts published Comment 0 comments written Tag 0 tags followed The Care and Feeding of Interrupt Handlers Florent Herisson Florent Herisson Florent Herisson Follow Jan 11 The Care and Feeding of Interrupt Handlers # osdev # programming # interrupts # lowlevel Comments Add Comment 5 min read Page Tables: A Love Story (It's Not) Florent Herisson Florent Herisson Florent Herisson Follow Jan 10 Page Tables: A Love Story (It's Not) # osdev # programming # virtualmemory # x86 Comments Add Comment 6 min read From Power-On to 'Oh No' Florent Herisson Florent Herisson Florent Herisson Follow Jan 9 From Power-On to 'Oh No' # osdev # programming # interrupts # lowlevel Comments Add Comment 6 min read IRQs and the Art of Not Crashing Florent Herisson Florent Herisson Florent Herisson Follow Jan 9 IRQs and the Art of Not Crashing # osdev # programming # interrupts # lowlevel Comments Add Comment 6 min read IRQs and the Art of Not Crashing Florent Herisson Florent Herisson Florent Herisson Follow Jan 9 IRQs and the Art of Not Crashing # osdev # programming # interrupts # lowlevel Comments Add Comment 6 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:52 |
https://www.suprsend.com/post/how-can-saas-tools-enhance-user-engagement-with-notifications-channel-routing-with-linkedins-example | How Can SaaS Tools Enhance User Engagement with Notifications Channel Routing (with LinkedIn's example)? Product FEATURES Template Engine Powerful template editors for all channels App Inbox Fully customizable inbox for your app & website Analytics Deep data insights on notification performance Logs Real-time notifications logs for all channels Smart Routing Reach users where they are Branding Seamlessly manage multi-brand customization Workflows Craft complex notification workflows Bifrost Run notifications natively on data warehouse Preferences Develop user focused notifications Integrations Integrate any channel and provider within mins Solutions BY USECASES Transactional Real-time alerts like authentication, activity updates Batching & Digest Aggregate multiple alerts into one Collaboration & Action Alerts on cross-user activity Scheduled Notifications One-time or recurring alerts like reminders Multi-tenant Alerts tailored to your customer's preferences Announcement / Newsletters Feature releases, achievements, product & policy updates Pricing Docs Customers Blog Login Get Started For Free Login Sign up Product Implementation Guides How Can SaaS Tools Enhance User Engagement with Notifications Channel Routing (with LinkedIn's example)? Anjali Arya • July 17, 2024 TABLE OF CONTENTS If you use LinkedIn, you've likely noticed that it sends notifications within in-app about various activities, such as connection requests or new messages, while also delivering these notifications over emails. These email notifications might not be instant and can be delayed by 2-24 hours, customized based on user preferences, potential volume and the priority of the notification. It also solves a crucial pain point for social media companies, where there are a ton of notification triggers happening through each interaction. This notification fatigue impacts the user experience, and hence is something to be solved sooner. What is it, and how does LinkedIn and other SaaS tools achieve similar functionality to ensure users are appropriately notified, maintaining engagement with the product without overwhelming with too many alerts? What is Channel Routing? Channel routing involves directing notifications through various channels to ensure user engagement isn't hampered if a user is unavailable on a single channel.For example, Instagram provides an almost instant in-app notification when someone likes your post. However, if you remain offline for a certain period, say 6 hours, Instagram sends you an email notification with the same message. This is basic channel routing.On SuprSend, we have enhanced channel routing capabilities. Here’s how: Setting Order of Channels (Optimize On): In a multi-channel notification setup, you can specify the order of channels based on custom use cases. For instance, some SaaS platforms might prioritize cost-saving, so their order could be in-app inbox → email → SMS. Others may prioritize read receipts for notifications like OTPs/ verifications, with SMS/ email at the top of the list. SuprSend can optimize this further by calculating the end-use cases. For example, if the business wants to optimize costs, our platform checks the costs associated with each channel and sets the priority order accordingly. Time-to-Live (TTL): TTL is the total time a notification is live and attempted for delivery. If TTL is set to 6 hours and there are 3 channels configured, our platform divides the TTL by the number of channels, sending notifications at equal intervals. For example, the first notification at 0 hours, the second in 2 hours, and the third in 4 hours. This way, you only need to mention what is the time window in which you want an action on notification, and the workflow engine optimizes for that. Must Send To: This parameter instructs the workflow engine to send notifications to specified channels instantly, regardless of the channel order. some text For critical notifications like OTPs, sending them simultaneously via email and SMS ensures reliability, a practice common in Fin-tech companies to prevent failures in execution due to single-channel issues. Another crucial importance of this feature would be for notifications required to be stored for further bookkeeping. For ex, invoice or billing related businesses might need to store their notifications for longer period and hence channel which can support this, like email or in-app notification should always be set in the 'Must Send To' parameter. Success Metric: This defines the target user activity you want to drive with your notifications. Channel routing stops further delivery when the success metric is achieved. There are two types: Notification Status: Metrics like delivery, seen, or interaction/click status of sent notifications. For example, if the target is for the user to open the notification, set the success metric to Notification Status - Seen. Custom Event: Any custom business event in response to the notification. For instance, for approval, the success metric could be when approval / rejection action is taken. Override Channels: Users may have individual channel preferences, necessitating the need to pass these preferences in the event call itself. The Override Channels property allows including a channels array in the event property, ensuring personalized routing. Implementing Channel Routing in a Social Media Application We'll be demonstrating channel routing in one of our sample applications where we have installed SuprSend Javascript SDK for triggering events. You can access the demo application and code here: Github: https://github.com/SuprSend-NotificationAPI/social-app-react-app-inbox Deployed Application: https://suprsend-notificationapi.github.io/social-app-react-app-inbox/ To illustrate, let’s define the code for a Comments event where the user inputs a comment, which is sent to SuprSend as an event using suprsend.track . Once the event is set properly, the next step is to configure the Smart Channel node in the application. Adding the Channel Routing node is a one-click process.Without it, it would be creating individual branches to check whether channel info exists, whether user is subscribed or action is taken. Then you can set the properties that we discussed above. For this example, use-case we would be using: Once set, we can do a test trigger, and go to logs to see how the node is working. In the given screenshots at different intervals, you can see that the Inbox is triggered first, while the email channel waits. After the 1 min time window, when the Seen confirmation doesn’t come, the email is triggered. Incase the Seen confirmation had come from Inbox, the email node would have stopped, and the workflow would be complete, saving unnecessary costs and notification fatigue for the user. By leveraging SuprSend's advanced channel routing capabilities, social and collaborative applications can enhance user engagement, ensuring critical notifications are delivered through the most effective channels based on user preferences and contextual priorities. Though there is one more way which collaborative SAAS tools like LinkedIn and Meta uses to reduce notification fatigue. They bundle multiple notifications into 1, and then send it to the user, also known as batching. You can checkout this guide to implement a batching mechanism to your notification infrastructure. Share this blog on: Written by: Anjali Arya Product & Analytics, SuprSend Implement a powerful stack for your notifications Get Started For Free Book Demo Company About us Signup Login Integrations Pricing Security Privacy Terms Contact Us Support SuprSend for Startups API Status Sign Up Channels Email SMS Notification Inbox Android Push iOS Push Web Push Xiaomi Push Whatsapp SDK Python SDK Node.js SDK Java SDK Android SDK React Native SDK iOS SDK Flutter SDK Go SDK Resources Documentation Changelog Blogs Write for us SMTP Error Codes SMS Providers Comparisons Email Providers Comparisons SMS Providers Alternatives Join us on Slack We are building a community of developers and product builders from across the globe to make notifications a pleasant experience. © 2025 All rights reserved. SuprStack Inc. By clicking “Accept All Cookies” , you agree to the storing of cookies on your device to enhance site navigation, analyze site usage, and assist in our marketing efforts. View our Privacy Policy for more information. Preferences Deny Accept Privacy Preference Center When you visit websites, they may store or retrieve data in your browser. This storage is often necessary for the basic functionality of the website. The storage may be used for marketing, analytics, and personalization of the site, such as storing your preferences. Privacy is important to us, so you have the option of disabling certain types of storage that may not be necessary for the basic functioning of the website. Blocking categories may impact your experience on the website. Reject all cookies Allow all cookies Manage Consent Preferences by Category Essential Always Active These items are required to enable basic website functionality. Marketing Essential These items are used to deliver advertising that is more relevant to you and your interests. They may also be used to limit the number of times you see an advertisement and measure the effectiveness of advertising campaigns. Advertising networks usually place them with the website operator’s permission. Personalization Essential These items allow the website to remember choices you make (such as your user name, language, or the region you are in) and provide enhanced, more personal features. For example, a website may provide you with local weather reports or traffic news by storing data about your current location. Analytics Essential These items help the website operator understand how its website performs, how visitors interact with the site, and whether there may be technical issues. This storage type usually doesn’t collect information that identifies a visitor. Confirm my preferences and close Get 10% OFF on your next order Subscribe to our newsletter and receive a 10% OFF coupon to use on your next order. Please check your email for your 10% OFF coupon Oops! Something went wrong while submitting the form. | 2026-01-13T08:47:52 |
https://twitter.com/luca_cloud | JavaScript is not available. We’ve detected that JavaScript is disabled in this browser. Please enable JavaScript or switch to a supported browser to continue using x.com. You can see a list of supported browsers in our Help Center. Help Center Terms of Service Privacy Policy Cookie Policy Imprint Ads info © 2026 X Corp. Something went wrong, but don’t fret — let’s give it another shot. Try again Some privacy related extensions may cause issues on x.com. Please disable them and try again. | 2026-01-13T08:47:52 |
https://dev.to/adventures_in_devops/unraveling-tech-challenges-devops-reflections-disaster-recovery-and-financial-insights-devops-192#main-content | Unraveling Tech Challenges: DevOps Reflections, Disaster Recovery, and Financial Insights - DevOps 192 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Adventures in DevOps Follow Unraveling Tech Challenges: DevOps Reflections, Disaster Recovery, and Financial Insights - DevOps 192 Feb 29 '24 play The Adventures in DevOps podcast welcomes Warren Parad as the newest host. Together with Will, they dive into a wide range of topics, including technology advancement, disaster recovery, open source, mentorship in the software engineering field, and the intersection of technology and business. They share their experiences and insights on implementing tools, managing risk, and understanding the financial impact of technology investments. Join them as they explore the complexities of the tech industry and the importance of continuous learning and adaptation. Stay tuned for an engaging and informative discussion with our knowledgeable speakers as they share their real-world experiences and valuable insights. Sponsors Chuck's Resume Template Developer Book Club Become a Top 1% Dev with a Top End Devs Membership Socials Warren Parad Advertising Inquiries: https://redcircle.com/brands Privacy & Opt-Out: https://redcircle.com/privacy Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:52 |
https://discourse.llvm.org/t/tpde-llvm-10-20x-faster-llvm-o0-back-end/86664?u=nikic | TPDE-LLVM: 10-20x Faster LLVM -O0 Back-End - Code Generation - LLVM Discussion Forums LLVM Discussion Forums TPDE-LLVM: 10-20x Faster LLVM -O0 Back-End Code Generation llvm aengelke June 2, 2025, 3:44pm 1 5 years ago, @nikic wrote : I can’t say a 10% improvement is making LLVM fast again, we would need a 10x improvement for it to deserve that label. We recently open-sourced TPDE and our fast LLVM baseline back-end (TPDE-LLVM), which is 10-20x faster than the LLVM -O0 back-end with similar runtime performance and 10-30% larger code size. We support a typical subset of LLVM-IR and only target x86-64 and AArch64. Posting this here, as this might be interesting for the LLVM community – questions/comments welcome! Data on SPEC CPU 2017 (x86-64, compile-time speedup and code size relative to LLVM 19 -O0 back-end): Benchmark Comp-Time O0 IR Code Size O0 IR Comp-Time O1 IR Code Size O1 IR 600.perl 11.39x 1.27x 15.06x 0.97x 602.gcc 12.54x 1.32x 17.55x 1.01x 605.mcf 9.72x 1.27x 12.47x 0.92x 620.omnetpp 21.46x 1.24x 26.49x 1.03x 623.xalanc 18.99x 1.24x 24.80x 0.98x 625.x264 10.52x 1.26x 15.19x 0.97x 631.deepsjeng 9.60x 1.25x 17.56x 0.97x 641.leela 21.44x 1.24x 18.36x 0.95x 657.xz 10.95x 1.30x 15.15x 0.92x geomean 13.34x 1.27x 17.58x 0.97x Results for AArch64 are similar (a bit higher speedups due to GlobalISel). Obviously, on optimized IR LLVM’s optimizing back-ends fare much better in terms of run-time (~2x better) and code size (~2x better), but we don’t intend to compete there. How Does It Work? See this paper . In essence, we do three passes: one IR cleanup/preparation pass, one analysis pass (loop+liveness), and one codegen pass, which performs lowering, regalloc, and machine code encoding in combination. Features & Future Plans Currently, the goal is to support typical Clang O0/O1 IR, so there are a lot of unsupported features . Flang code often works, but sometimes misses some floating-point operations. Rust code works in principle, but some popular crates use illegal (=not natively supported) vector types, which are not implemented yet. (Legalizing vector types/operations is very annoying.) Besides some more IR features, our current plans include: DWARF support (we already have some prototype) and better register allocation than “spill everything”. If someone provides sufficient motivation, other big items are non-ELF platforms, non-small-PIC code models, and other targets. Speculatively Answered Questions How to use TPDE-LLVM? The LLVM back-end is usable as a library (e.g., for JIT compilation, also usable with ORC JIT), as llc -like tool, and can be integrated in Clang (needs a patch, plugins can’t provide a custom back-end right now). Some more details here . Why not make LLVM faster? We did, LLVM 18->20 got 18% faster on x86-64 . I think that another 10-20% might be reasonable to achieve, but I’d expect going beyond that to require deeper changes. Even when doing this, a 10x speedup is unlikely to be achievable. Which changes to LLVM-IR could allow even faster compilation? No ConstantExpr inside functions. These are hard to handle, so before compilation, we rewrite them to instructions – by iterating over all instruction operands to find such constants (and also walk through constant aggregates). No arbitrarily-sized struct/array values. The only (IMHO) valid reason for struct/array values inside functions are arguments (e.g. AArch64 HFA/HVA) and multiple return values, but there’s no point in loading a [6000 x {i32, i64}] . (We currently have quadratic runtime in the number of elements per value.) Not directly related to performance, but would make things easier: No direct access to thread-local globals (see e.g. the proposal here ). We cannot easily generate a function call at arbitrary places, so we rewrite all accesses to use the intrinsic. No arbitrary bit-width arithmetic. i260 doesn’t work well already, yet Clang occasionally generates this (bitfield structs) – we don’t support multi-word integers other than i128 . Random “Fun” Facts We currently use 4 padding bytes in Instruction to store instruction numbers, as there is no field to store auxiliary data. PHINode::getIncomingValForBlock causes quadratic compile-time for blocks with many predecessors. Thus, for blocks with >1k predecessors (happens for auto-generated code), we sort incoming entries by block pointer and use binary search. llvm::successors is slow, so we collect and cache successors once. (This could be changed, SwitchInst should store blocks together instead of interleaved with ConstantInt . Maybe even make SwitchInst store uint64_t s instead of arbitrary-width integer?) We track the performance of tpde-llc (similar to LLVM c-t-t), but ~90% (77-95%) of the time is spent in bitcode parsing… 16 Likes LLVM Weekly - #596, June 2nd 2025 mshockwave June 2, 2025, 3:50pm 2 I guess you meant “Compile Speed O0/O1 IR” rather than compile time 1 Like mshockwave June 2, 2025, 4:09pm 3 aengelke: Results for AArch64 are similar (a bit higher speedups due to GlobalISel) could you elaborate this a little further? To me this sentence implies that GlobalISel is slower than SelectionDAGISel (and thus TPDE achieved a higher speed up), but I thought GlobalISel should be generally faster than SelectionDAGISel, is that not the case here? aengelke: but some popular crates use illegal (=not natively supported) vector types, which are not implemented yet. (Legalizing vector types/operations is very annoying.) Combining this and a statement later saying that multi-word integers other than i128 are currently not supported, could you briefly talk about the support status of type legalization in TPDE? And do you think type legalization will become a compilation time bottleneck if it’s supported? aengelke June 2, 2025, 6:11pm 4 mshockwave: but I thought GlobalISel should be generally faster than SelectionDAGISel, is that not the case here? It is. I was referring to GlobalISel -O0 vs. FastISel, where GlobalISel is slower. mshockwave: Combining this and a statement later saying that multi-word integers other than i128 are currently not supported, could you briefly talk about the support status of type legalization in TPDE? We don’t really do legalization. We lower every type to one or more “basic types” (similar to MVT or LLT), so e.g. i128 becomes i128,i128 (two 64-bit parts), i54 becomes i64 . When compiling an instruction, the instruction has to check its type and do ad-hoc legalization as required, e.g. sign/zero-extend integers the i54 to an i64 before a division. The big problem are vector types, and right now, we simply don’t support illegal vector types. Going forward, I don’t think supporting element types other than i1/i8/i16/i32/i64/ptr/half/bfloat/float/double is reasonable, which already simplifies things. For the restricted element types, the current plan is to always scalarize illegal types (e.g., <6 x i8> would behave like [6 x i8] , except that it supports arithmetic operations and casts) and be deliberately incompatible with LLVM’s undocumented ABI. i1 vectors might need special handling. (Alternatively, rewrite the IR to get rid of such types. But as such types are rare and we already look at all instructions for type lowering, I think even this could be detected cheaply without much cost for the common case.) I don’t think other non-obscure types need legalization? mshockwave: And do you think type legalization will become a compilation time bottleneck if it’s supported? No, I don’t think so. Just a lot of effort for little gain. (I’d rather have front-end not emit illegal types in the first place… unlikely to happen, though.) comex June 3, 2025, 12:26am 5 Those are some extremely impressive numbers. Do you plan to upstream this as part of LLVM? mshockwave June 3, 2025, 4:29am 6 aengelke: We lower every type to one or more “basic types” (similar to MVT or LLT), so e.g. i128 becomes i128,i128 (two 64-bit parts), i54 becomes i64 . When compiling an instruction, the instruction has to check its type and do ad-hoc legalization as required, e.g. sign/zero-extend integers the i54 to an i64 before a division. Well, this is already some form or type legalization Some of the things you described here is not really far away from what LLVM is doing. (P.S. I think it should be “ i128 becomes i64,i64 (two 64-bit parts)”) aengelke: I don’t think other non-obscure types need legalization? I think whether a type is non-obscure or not really depends on the target architectures. For instance, i8/i16/i32/i64 might be considered normal or reasonable for X86 but in AArch64 both i8 and i16 are illegal scalar types; by default RISC-V only has a single legal integer scalar type (i.e. i32 for rv32 and i64 for rv64). Therefore, the need for type legalization might be more prevailing in architectures other than X86. That being said, I agree that type legalization for vectors is hard and scalarize it seems to be a good starting point. Don’t get me wrong, I think 10x ~ 20x is an impressive speed up. The reason I’m interested in legalization here is because it’s the key correctness – after all, no matter how fast the compiler is, it has to generate correct code. 3 Likes syrusakbary September 1, 2025, 9:38am 7 This is awesome, congrats on the work. I work at Wasmer . We have been using Cranelift for our development builds of Wasm modules (into assembly) because it was faster to compile. We have been using LLVM on prod because the assembly produced was waaaay faster. However, with your changes we may be able to replace Cranelift back to LLVM for development proposes. Having 10x faster builds is a considerable improvement. Keep up the good work. We are going to trial it and will post here our findings 1 Like Related topics Topic Replies Views Activity Hello! LLVM Dev List Archives 36 214 November 23, 2009 If LLVM is so slow is anything being done about it? LLVM Project 67 9446 February 27, 2024 SelectionDAG::LegalizeTypes is very slow in 3.1 version LLVM Dev List Archives 3 116 September 27, 2016 Turning on LegalizeTypes by default LLVM Dev List Archives 6 151 October 28, 2008 2022 LLVM Developers' Meeting Videos Posted US Developer Meeting usdevmtg 1 1264 January 9, 2023 Home Categories Guidelines Terms of Service Privacy Policy Powered by Discourse , best viewed with JavaScript enabled | 2026-01-13T08:47:52 |
https://dev.to/devdiscuss/s9e1-using-design-patterns-to-improve-how-you-architect-web-apps | S9:E1 - Using Design Patterns To Improve How You Architect Web Apps - 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 DevDiscuss Follow S9:E1 - Using Design Patterns To Improve How You Architect Web Apps May 11 '22 play In this episode, we talk about using design patterns to improve how you architect web apps, with authors of the book, Learning Patterns, Lydia Hallie, Staff Developer Advocate at Vercel, and Addy Osmani, engineering manager at Google working on Chrome. Show Notes DevNews (sponsor) CodeNewbie (sponsor) Cockroach Labs (DevDiscuss) (sponsor) Swimm (DevDiscuss) (sponsor) Drata (DevDiscuss) (sponsor) Stellar (DevDiscuss) (sponsor) Learning Patterns Addy Osmani Addy Osmani considers himself to be an occasional JavaScript Janitor, who cares about improving user-experiences on the web. He is also an engineering manager working on Google Chrome at Google, focused on web performance and tooling. Lydia Hallie Lydia Hallie is a software consultant (JavaScript, TypeScript, GraphQL, Serverless, AWS, Docker, Golang), international speaker, course instructor, and tech influencer with a great passion for coding. 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:52 |
https://news.ycombinator.com/item?id=46587934#46593420 | Floppy disks turn out to be the greatest TV remote for kids | Hacker News Hacker News new | past | comments | ask | show | jobs | submit login Floppy disks turn out to be the greatest TV remote for kids ( smartere.dk ) 587 points by mchro 19 hours ago | hide | past | favorite | 335 comments tete 18 hours ago | next [–] > Modern TVs are very poorly suited for kids. They require using complicated remotes or mobile phones, and navigating apps that continually try to lure you into watching something else than you intended to. I'd argue that's not too different for grown-ups. ;) reply tantalor 17 hours ago | parent | next [–] My biggest gripe is how terribly slow it is to navigate UI on a TV. The latency between user input and the UI responding can be upwards of 10-20 seconds. Just incredibly user hostile. reply brabel 14 hours ago | root | parent | next [–] I had a 75-inch TV I inherited, it was on the higher end and the TV UI was supper snappy. Then, I broke it accidentally and got only 1/4 of the money from insurance. Because I barely watch TV, I thought I would just buy a TV of the same size, but on the lower end... both TVs were Samsung anyway. What a huge difference. The image quality is a little worse, barely noticeable after you get used to it. But the UI is agonizingly slow. Every time I turn the TV on it starts showing some channel fairly quickly, but then after several seconds the image gets black because it's loading the stupid UI... and I can't find a way for it to NOT do that! The higher end TV, needless to say, didn't do that. So now, I know what you're paying for when you get a TV for $4,000 instead of $1,000: slightly better image , but a proper computer to run the stupidly heavy UI (probably made using some heavy JS framework, I suppose). reply jliptzin 11 hours ago | root | parent | next [–] Plug a new chromecast into one of the HDMI ports and use that and only that and weld the setting shut so that you never have to deal with the TV’s default UI ever again. reply eru 9 hours ago | root | parent | next [–] Though you still have to turn off the frame generation on the TV. reply georgefrowny 1 hour ago | root | parent | prev | next [–] Turn on TV: 3 seconds Roku boots: 10 seconds Meanwhile turn on soundbar: 3 seconds Press Roku remote button: 3 seconds until it wakes up and repairs (remote still eats batteries) Open streaming app: 5-10 seconds Select profile: 3 seconds Scroll about looking for show: 5-20 seconds, or a minute to type it in Select the right episode: 3-10 seconds depending on if it's currently on the right season (somehow not always) Start and buffering: 5-10 seconds Ad: 20-40 seconds (depending on platform) And that's all if you're concentrating on getting through it and the device isn't a laggy UI toxic waste dump. Some TVs you have to press each button and wait for each one to register. At least there isn't an FBI copyright warning at the start I suppose (when you don't live in the US). reply brk 17 hours ago | root | parent | prev | next [–] That sounds like you have an overly shitty ‘smart’ TV. Plenty of external devices (I’m partial to AppleTV) have no significant lag. Or it could be you’re using some niche service that has its own issues. reply al_borland 16 hours ago | root | parent | next [–] I’m using an AppleTV HD with Peacock and it’s pretty bad. I wouldn’t consider NBC a niche service. After an episode ends, I need to wait for the new one to start to be sure it marks the last one as watched. When going back to the main screen, it can take upwards of 30 seconds, maybe more (it feels like an eternity), for the “watch next” to update. If I don’t wait for it to update, it will start playing an old episode the next time I try to launch it. This lag also persists over app switching. So if I stop watching a show, switch to something else for a while, then go back to Peacock and quickly go into the series I was watching, it will play old stuff. Even switching between 2 series in my currently watching list can take an exceedingly long time. Sometimes I try to switch back and forth to force and update and it feels like I’m back on 56K. The Apple TV HD is old, technically legacy, but still supports tvOS 26. I have an Apple TV 4K in the house as well, which I’ve been meaning to migrate to, to see if it’s any better. But the HD works fine for pretty much everything else. Peacock as a service seems to have an extreme amount of lag. reply llimllib 16 hours ago | root | parent | next [–] Yes I think the device itself is fine, but the Apple TV apps are mostly terrible and often very laggy/poorly written. The way developers use the UI toolkit that the Apple TV provides also seems to tend towards apps where it's very difficult to figure out what's the active selection, which is of course _the_ critical challenge. reply spockz 57 minutes ago | root | parent | next [–] I have never noticed this issue. Buttons get highlighted in contrasting colours. Things like episode thumbnails get a different colour highlight border and sometimes even drop shadow. What I find harder to do is to see when going to the left means going to the menu on that side or just the previous tile. reply Reason077 12 hours ago | root | parent | prev | next [–] The issue here is that the app developers design & test for the latest Apple TV 4K models, which have about 10X the performance (and 2-4X the RAM) compared to the old HD models. Apple left a large generational gap because they kept selling the HD for many years (until 2022) as an entry-level device alongside much more capable 4K models. > ”it's very difficult to figure out what's the active selection” Yes, based on my observation this seems to be one of the biggest challenges people face with the AppleTV interface, along with accidentally changing the selection when they try to select it (because of the sensitive touch controls on the remote). reply wombatpm 4 hours ago | root | parent | next [–] Is that why the BritBox app is absolute garbage? reply al_borland 11 hours ago | root | parent | prev | next [–] > it's very difficult to figure out what's the active selection I don't think is the fault of the 3rd party devs, Apple seemed to start this and other devs followed their example. I tend to make a small circle with my thumb in the center of the select button, or just slightly move it back and forth, to see what thing on the screen starts moving with me. reply Melatonic 14 hours ago | root | parent | prev | next [–] Sounds just like a poorly written app. I'm surprised Apple doesn't enforce stricter performance guidelines. On an older Roku Ultra Peacock also isn't great but not nearly as bad as you describe - maybe they just ported over their Roku version somehow and it has horrible Apple TV performance. Anecdotally I have heard the newer Nvidia Shields to be very fast reply aidenn0 14 hours ago | root | parent | prev | next [–] If you think Peackock is bad, try Paramount+, it's an impressively bad app that, along with being very laggy, will crash fairly regularly too. reply joshtynjala 10 hours ago | root | parent | next [–] If you have a pihole or something that blocks ads/tracking for your entire network, try configuring it to exclude to your Apple TV. My Paramount+ app went from crashing daily to no crashes in many months. Technically, you could also configure the pihole to allow the specific hosts that the Paramount+ app needs to access. However, I found that there were many hosts, and they also change from time to time, so it can be annoying to keep them updated when the app starts crashing again. reply cosmic_cheese 14 hours ago | root | parent | prev | next [–] When there's a Star Trek running, I subscribe to Paramount+ via the Apple TV+ channel instead of directly, despite it costing a touch more, just to avoid having to use Paramount's official app (instead, one uses the Apple TV app and plays media with the stock tvOS player). It's absurd how much that improves the experience. reply al_borland 14 hours ago | root | parent | next [–] It plays inside the AppleTV app? I hooked Peacock to the Apple TV app, and while it shows my next playing episode, launching from the Apple TV app just launches the Peacock app, which feels rather pointless. reply cosmic_cheese 14 hours ago | root | parent | next [–] You have to subscribe with the Apple TV+ channel specifically for it to play in the Apple TV app (confusing, I know). Not all services offer a TV+ channel, unfortunately. reply al_borland 14 hours ago | root | parent | next [–] Hmm... I guess I'll check into that next time and pay more attention. I subscribed to Peacock+ through a bundle offer with Apple TV+, and went through Apple to trigger the purchase. It forced me over to Peacock to make an account there and other than billing it seemed totally separate. reply wirelessguy 5 hours ago | root | parent | prev | next [–] It really is. I cancelled my subscription recently because streaming in the app rarely worked. The only way to watch anything is either download it first if I'm watching on my tablet or use Chromecast to cast via the app on my phone. It was the same bad experience across Google TV, Android and iOS devices. reply array_key_first 14 hours ago | root | parent | prev | next [–] Paramount plus is one of the worst apps I've ever used. It's so bad that I can only assume they tried as hard as possible to be is unusable. Unstable, slow, and lots of things just don't work right. reply drewg123 9 hours ago | root | parent | next [–] What gets me is the "play/pause" button behavior on a firestick remote. How many presses of play/pause would you think it takes to pause then resume playing? 2? Oh, no. Its 4! Pressing play/pause on the remote brings up the UI, like a mouse-over on some crappy web-player. You have to hit pause twice to actually pause the video. Then play again brings up the UI, then you have to hit it again to play again. And don't even get me started on the times where the app opens and plays OK. Then you go to ff/rw and all it will let you do is pause. So you have to re-start the app to get control. Then it forgets where you are. reply wolvoleo 3 hours ago | root | parent | next [–] Another big issue with the fire tv is that it just refuses to work when there's no internet access. It just shows an error page you can't get out of. So I can't even play local content through VLC or Jellyfin. reply array_key_first 8 hours ago | root | parent | prev | next [–] My favorite is the "sorry, we can't play this" just randomly out of nowhere in the middle of an episode. You were playing it just fine, what happened? And, of course, the crashes. I don't think I've ever seen an app crash this much. It makes me very worried for the codebase. reply cout 6 hours ago | root | parent | prev | next [–] I recall it playing the same ad repeatedly during commercial breaks. I think i once watched the same ad 5 times in a row. Later I subscribed to paramount+ via amazon, and said goodbye to the glitches. reply wrs 14 hours ago | root | parent | prev | next [–] Pretty much every streaming app I use (not just on AppleTV) has a hard time remembering where I left off. I now have the habit of skipping through the credits and letting the app play the last 8 seconds and close the episode itself, in the perhaps misguided hope that then it will remember I've played the episode. reply al_borland 14 hours ago | root | parent | next [–] Exactly. The issue of marking as played is not unique to Peacock, but Peacock’s lag makes it take even longer to get confirmation that some of the other apps I’ve used. Netflix has the same issue and some lag to it, but it’s less lag. reply brewdad 14 hours ago | root | parent | prev | next [–] It sounds like an older version of the app. I used to see all kinds of similar issues with Peacock on my Apple 4k device. NBC has put work in to make the app better over the years unlike say, Paramount+. I would check to see if you can manually update the app or try the 4k device and see if it works better. It could be the older chip and more limited memory of the HD device are hitting up against their limits too. reply kenjackson 16 hours ago | root | parent | prev | next [–] External devices like AppleTV, Roku or Xboxes are responsive. It’s the actual TV UI that tends to be very slow and laggy. reply akagr 16 hours ago | root | parent | next [–] My Sony TV has android and is fairly responsive. Maybe a second lag, but definitely not 10-20 secs. I do need to give it time to “warm up” when I start it, though. I use it so rarely it’s generally turned off from wall outlet. I still prefer Apple TV for various reasons, though, responsiveness being one of them. reply ori_b 16 hours ago | root | parent | next [–] Maybe a second lag Even a second lag is insane. I don't understand how people tolerate that. reply johnisgood 21 minutes ago | root | parent | next [–] They do not know any better, I suppose. Reading these threads just makes me wonder: if you guys have so many problems, why do you not torrent? reply cosmic_cheese 10 hours ago | root | parent | prev | next [–] Sony TVs are some of the most sane options in the TV market right now. Generally decent, and they don't fight you if you want to use them without connecting them to the internet. Still not perfect and they'll cost you more, but it's a worthwhile trade to me. reply no_wizard 17 hours ago | root | parent | prev | next [–] It’s a matter of time before tv manufacturers start requiring an app to sync with the TV to set it up. That would let them glean information about you every time you use said app. You’re still getting around this with a 3rd party device like an Apple TV for the most part but if it’s required to even turn it off or on it’ll be enough to sync any metadata that it holds reply ggus 15 hours ago | root | parent | next [–] My LG does just that. The tv remote sensor stopped working (and broke again after servicing), so now the only way to use the TV is by the LG app on my phone.. which asks for permissions to Nearby Devices, Location, Camera, Microphone, Notifications, Phone, Music&Audio... reply Melatonic 14 hours ago | root | parent | next [–] Lots of good generic remotes out there (still using a Logitech harmony personally) reply pletnes 16 hours ago | root | parent | prev | next [–] My samsung did this years ago. Not sure if it was truly required but I’d say this has happened. reply maccard 15 hours ago | root | parent | prev | next [–] My television has a > 5 second lag on bringing up the input device selection. The buttons don’t actually respond when the menu appears, it’s about a second after that before they work reply array_key_first 14 hours ago | root | parent | prev | next [–] Part of it is the displays themselves. Some have unbelievably bad response times. I've seen 2 seconds multiple times. Makes gaming impossible. reply naravara 15 hours ago | root | parent | prev | next [–] The AppleTV is best in class sure but by the standards of older, pre-internet technology the lag is noticeable. The UI itself is smooth, but any time it makes a network call (which it does for damn near everything) it can take some amount of time. And once you introduce receivers and HDMI-ARC and auto switching and frame-rate differences between applications the whole thing just fucking sucks. It’s constantly turning off and on and has sound cutting out and back on. And that’s assuming the apps are well written, which they are not. reply johnisgood 25 minutes ago | root | parent | prev | next [–] Modern TV, yeah. TVs from 15 years ago were waaaay faster than smart TVs. Ridiculous. reply steve_taylor 1 hour ago | root | parent | prev | next [–] When you're a low-tier video streaming company, you look for cost savings such as writing the same app as few times as you can get away with, so typically you end up with the same web app running on Tizen, webOS, VIDAA, PS4, PS5 and quite often Fire TV and even Xbox. Even Amazon's new Vega OS with its React Native way of building apps has a WebView escape hatch. These TVs typically have really slow SOCs – certainly not fast enough to run a web app the way a typical dev write a web app these days. reply andrewblossom 17 hours ago | root | parent | prev | next [–] This can be solved by using any number of 3rd-party streaming devices: Apple TV, Google TV Streamer, NVIDIA Shield, ... I've never experienced an TV OS that was reliably better than one of the above, though a Roku-OS TV came close. reply mjparrott 17 hours ago | root | parent | next [–] I tried to look for a 'dumb' tv for a long time to get to a setup like this. The ultimate setup would be 1) a totally dumb and stupid tv + 2) a streaming box like Apple TV or whatever. I just want the audio/visual aspect of the screen, nothing else. reply WorldMaker 16 hours ago | root | parent | next [–] My trick has been a simpler/faster/dumber HDMI switch that isn't the TV so that you can leave the TV on a single HDMI input and delegate any input switching to the the switch rather than the slow TV UI. That adds extra complexity in terms of an extra remote. In my case, the simpler/faster HDMI switch is also the surround sound receiver so that moves volume as well to the simpler, dumber remote. It's not ideal either, but reducing use of the TV's terrible UI is reducing temptation to just go back to the TV's terrible apps. (Also as the sibling option points out, the other trick is isolating the TV out of the network entirely. Sometimes the UI gets even slower to "punish" you for not allowing its smart features and ads to work, or the UI is just badly written and relies on a lot of synchronous waits for network calls for things like telemetry [six of one, half dozen of the other], which gets back to reasons to use a dumb input switch and get away from the TV's own UI.) reply c22 17 hours ago | root | parent | prev | next [–] You can purchase commercial signage displays that are just dumb screens, but the markup is quite high. Easier to just get one of the 'smart' ones and never let it connect to the internet. reply reaperducer 16 hours ago | root | parent | next [–] but the markup is quite high Maybe a decade or two ago, but I looked into this last year, and the prices were just about the same. reply amiga-workbench 15 hours ago | root | parent | next [–] I got mine 2nd hand on eBay as new old stock. £300 for a 55" 4K panel. The only thing I can ding it for is that the backlight local dimming is done in columns which is extremely distracting, so I turn it off. You have to remember this thing is designed to sit in a shop window in direct sunlight. Ticks all my other boxes though, powers on as soon as my finger leaves the button on the remote, same with input switching and any other interactions with the OSD. Its completely braindead, just how I like it. Oh, they also sent me the model with the touch digitizer installed. So I've got capacitive touch and pen input, it has a USB-B port on the side to connect to a computer. reply ustad 15 hours ago | root | parent | next [–] Whats the model? reply amiga-workbench 12 hours ago | root | parent | next [–] Its a NEC MultiSync M551 reply cc81 17 hours ago | root | parent | prev | next [–] You don't need to connect it to the Internet or use the built in OS for anything else than just navigate to your box. I just use my NVIDIA Shield for everything. reply al_borland 16 hours ago | root | parent | prev | next [–] Dumb TVs really don’t exist anymore. You just have to buy a smart one and treat it like it’s dumb. Over Christmas my mom was complaining about her TV and I found a setting to have it start up with the last used input, which meant no more dealing with the smart interface and motion remote. I have an LG as well, but I wasn’t able to find the same setting available, unfortunately. Thought the automatic selection seems to work decently well when I turn on a device. I have an old Samsung from 2017 that’s dumb. I mainly bought it because it was the size I needed (~40”), smaller than most people these days want. reply neltnerb 6 hours ago | root | parent | next [–] This is what I do, I'm a little confused by the issue. If you have a device that outputs HDMI just never connect the TV to your wifi. It's not like you need or want firmware updates if there's no internet connection. A much more fair retort is that an extra device to output video costs more, though I might argue that if you don't use the TV's built in system the manufacturer is losing ad revenue. So if you only use it as a normal TV you kinda are buying it subsidized by everyone else watching ads on theirs. reply exhumet 12 hours ago | root | parent | prev | next [–] got a Sony last year that gave me the option on startup to enable or disable the smart TV os, picked the disabled option, TV isnt connected to the internet and the thing works beautifully. reply wafflemaker 17 hours ago | root | parent | prev | next [–] Given enough determination, you can learn how to locate antennas in the TV and remove them, which would render the TV dumb for all intents and purposes. I have no experience with it, it just might be less work to remove antennas from any TV than finding a dumb TV in 2026. reply mikestew 17 hours ago | root | parent | next [–] Or one could just, you know, not connect it to the Internet rather than ripping apart your new TV. reply wolvoleo 3 hours ago | root | parent | next [–] I'm sure sooner or later TVs will demand to connect to an "activation server" before they start working. And soon after that continuous internet access. You know, for your own protection of course. You wouldn't want to miss out on exciting content recommendation features and AI integration! Your life isn't complete without a constant guided tour of all the wonderful things surveillance capitalism has to offer, after all. reply walthamstow 17 hours ago | root | parent | prev | next [–] If you never connect it to the internet, all TVs are dumb. I have an airgapped Panasonic powered by Nvidia Shield for years. The only issue I ever had was Google adding ads to the front page of the Android TV launcher. Easily fixed by using a different launcher. reply apparent 6 hours ago | root | parent | prev | next [–] True, but when you want to change any of the TV settings you have to deal with the sluggish UI. I have memorized the key presses to toggle between two different brightness presets, including the amount of time I have to pause between each keypress. If I press the buttons without waiting sufficiently long, it goes sideways. reply catlikesshrimp 17 hours ago | root | parent | prev | next [–] Keep in mind: "Is your android TV streaming box part of a botnet?" https://news.ycombinator.com/item?id=46037556 reply wolvoleo 3 hours ago | root | parent | next [–] Yeah SmartTubeNext recently got hacked too :( reply mbreese 14 hours ago | root | parent | prev | next [–] Which is generally easier to fix (replace) than a TV. reply alexfoo 16 hours ago | root | parent | prev | next [–] And not always anything to do with the TV. I have BT TV ( https://www.bt.com/help/tv/learn-about-tv/bt-tv-boxes ) and the UI is painfully slow at times (UI response to a button press of 10-20 seconds), searching is horribly slow. Can't wait to ditch it for something more responsive (probably Sky Stream). I also miss an old TV that had a "q.rev" button to allowed you to switch back and forth between two channels with a single button. Perfect for skipping advert breaks (which is almost certainly why most entertainment systems don't have it any more). reply GJim 16 hours ago | root | parent | next [–] > Perfect for skipping advert breaks The mute button is the next best thing. Advertisements become much less irritating when silenced. I'm surprised so few people appear to mute advert breaks. reply alexfoo 16 hours ago | root | parent | next [–] Yeah, that's the next best. I taught my kid to mute adverts from an early age. It really winds up one family member who works in TV advertising, so that's a bonus. reply hadlock 15 hours ago | root | parent | prev | next [–] The "smart" TV in my office is hooked up to a chromecast thing and I interact with the chromecast dongle. My TV has never been hooked up to the TV and in fact I haven't even accepted the EULA. The GUI on the TV is lightning fast, and since it can't update itself (and never will!) it will remain lightning fast. If my 4k HDMI dongle begins to struggle, I will plug in a new device via HDMI. I was not able to win that argument with my wife on the living room TV but our LG (C series) I was able to disable the ads and with a recent update I can now turn off all but the ~4 apps we use (youtube + disney+, + netflix and one or two rotating services). Fingers crossed LG does not push the "brick your TV" update before it's usefule EOL. The HBO app on our ~2016 era samsung was totally useless by 2018. I am hoping we get more than 2 years out of our current TV before the GUI starts creaking under it's own weight. The Samsung also started showing ads in the app menu selection about 3 years after we started buying it (from korean car makers, really good way to ensure I never buy your brands!). reply hilbert42 14 hours ago | root | parent | next [–] "I am hoping we get more than 2 years out of our current TV before the GUI starts creaking under it's own weight." Ha! The Sharp color TV here in the kitchen is now nearly 48 years old (bought in 1978) and still functions well but with the addition of a set top box/PVR although its remote control has been repaired many times (but the TV itself has never needed maintenance). Other flat screen TVs have no internet access or are used monitor style with separate STBs/PVRs. As I mentioned on HN some weeks ago, if the trend continues and manufacturers booby-trap sets into planned obsolescence, I'll buy only monitors and connect them via HDMI to a TV feed. My ancient Sharp TV shouts at me that these days there's something terribly wrong with domestic electronic appliances. reply AndrewDavis 8 hours ago | root | parent | prev | next [–] Mine is so slow to become initially responsive. It (thankfully) comes on to whatever source / channel it was on when turned off, but it takes a good 15 seconds till you can change a channel, closer to 30 seconds to change input source. And when it does accept inputs it frustratingly drops inputs for another 10 seconds or so. reply Melatonic 14 hours ago | root | parent | prev | next [–] This can usually be improved by turning off all the crap you want anyways (noise reduction - smart dynamic contrast adjustment - anything similar). Opting out of the ad tracking and personalisation also seemed to slightly speed up some TVs as well for me. Also experienced a Samsung TV at an Airbnb once that was insanely slow - turns out it had very little storage space to begin with and was literally at 0 remaining. Deleted a few larger apps and reinstalled the remaining and it sped up a lot once it had some cache to work with. reply bartread 14 hours ago | root | parent | prev | next [–] I don’t run into this because I never allow the TV to connect to the internet. I basically use it as a dumb screen with a set of speakers and a bunch of devices connected to it: Apple TV, consoles, etc. As such, when I do use the TV remote - if I need to manually change sources, adjust picture settings, or whatever - the TV’s UI remains responsive. I have heard that some brands of TV will try to stealth connect to open hotspots to download updates and whathaveyou, but haven’t run into that issue with LG or, in more recent years, Hisense. reply hamdingers 14 hours ago | root | parent | next [–] This is always the top reply and it's not particularly useful. I want the ease and convenience of having a single device both play and display content, there's no reason that should be so hard. Of course I know I could Buy More Things but that sucks as a suggestion. This is how most people use their TVs these days (despite the issues with it). It's reasonable and fair to ask for a better experience. reply yojat661 2 hours ago | root | parent | next [–] I have two LG oleds. I turned off a bunch off settings and blocked the LG update url in pihole, set pihole as dns. I just use the tv, without any connected devices. It is pretty responsive, I get 0 ads. The only inconvenient part is going fully through their god awful settings menu and turning off a bunch of them once. reply dylan604 13 hours ago | root | parent | prev | next [–] I tried the smart tv, but then the app devs stopped updating the apps for that model or version of the OS. there's nothing wrong with the picture, but to be able to keep using apps would require a new tv. That's when I switched to devices connected to the TV, and stopped using the TV's apps. Devs will always update for devices like Roku, AppleTV, etc as there's enough users. I can only imagine the number of users for specific model of tv's OS will get smaller and no longer worth effort on the dev's time. reply exhumet 12 hours ago | root | parent | prev | next [–] its a double edged sword, better hardware and experience = more expensive (see Sonys higher end stuff) 90% of would much rather drop the money on the less expensive BIG TV with a cpu that cant even transcode properly and harvests your data to offset the price. ive got a lot of family and friends that use my plex server and i pretty much force them to get a dedicated streaming device for it or warn them that unfortunately i cant help them if the content doesnt want to play. reply bartread 12 hours ago | root | parent | prev | next [–] Well, you say it's not particularly useful, but do you want a TV that runs like a bag of spanners or not ? Because if the answer is "not" then complaining about how your TV performs whilst stubbornly allowing it to download whatever updates it likes and stubbornly refusing to buy one additional device (like an Apple TV or a Firestick) to plug into it is kind of dumb, don't you think? Ornery even? I agree that it is reasonable and fair to ask for a better experience but TV manufacturers have already made it abundantly clear, over the last decade and a half of smart TVs, that they don't give a damn what people like you and I think about how our TVs work, or that we get pissed off when they slow them down with bloatware and ads. So the logical choice is to Not. Bloody. Let Them. Literally, buy one other device - whatever suits your needs best (and they're all compact little things, not like the big ugly set top boxes of years gone by) - and your TV experience will immediately be significantly better. Once you've set it up you won't even need two remotes: your Apple TV, or whatever, will turn the TV on and off for you, and control the volume, so you'll only need the remote for your it (or whatever device you've chosen). The only time you'd need a second remote is if you have a cable or satellite box, or you're the kind of person who also has 7 games consoles of varying vintages and a bluray player plugged into your TV as well (which it doesn't sound like you have). We only watch on demand services so, if I weren't a fan of retrogames, we could get away with just the Apple TV and one remote. (The Bluray player barely sees any use, but I keep it around because we do still have some Blurays and DVDs for stuff that we really like and don't want to be beholden to streaming services for.) (I should say, another alternative is to set up something like Pihole to filter the ads out, but that still doesn't help with crappy updates that slow your TV down. And if you use apps on your TV and don't keep them up to date, eventually they'll stop working, which isn't ideal either. Hence, again, back to the idea of a device to "drive" the TV, which runs the apps you want.) reply hamdingers 8 hours ago | root | parent | next [–] > complaining about how your TV performs whilst stubbornly allowing it to download whatever updates it likes and stubbornly refusing to buy one additional device (like an Apple TV or a Firestick) to plug into it is kind of dumb, don't you think? Ornery even? No, I have plenty of other devices that update and remain useable. So do you. I would describe your attitude that way though. reply bartread 8 hours ago | root | parent | next [–] > No, I have plenty of other devices that update and remain useable. So do you. Sure, but your TV doesn’t behave like that and it won’t behave like that so why does it make sense to treat it as though it will? reply m4tthumphrey 17 hours ago | root | parent | prev | next [–] This is definitely due to the age/quality/model of the TV. I have 4 LG TVs across the house and the newest/biggest is 100x faster than the oldest. reply FartyMcFarter 16 hours ago | root | parent | prev | next [–] 10-20 seconds? What TV are you using? reply amelius 9 hours ago | root | parent | prev | next [–] Hey, trying to change the source of my monitor from HDMI-1 to DisplayPort takes 30 seconds. reply gwbas1c 16 hours ago | root | parent | prev | next [–] When Netflix released an awful update that had that problem, I called and threatened to cancel. reply SamBam 16 hours ago | root | parent | next [–] And they immediately fixed the lag? reply gwbas1c 13 hours ago | root | parent | next [–] Within a few days it appeared that the update was recalled. It was the bad update that made videos start playing as soon as you selected them, instead of going to the information page. I get the impression I wasn't the only person who complained; I suspect that any manager who sat down to watch TV that night probably twisted a few arms. reply pests 4 hours ago | root | parent | next [–] I'm seeing that again in some of their UI, where you have to specifically click More Info to get to the details page vs playing immediately. reply haritha-j 16 hours ago | root | parent | prev | next [–] Honestly we don't need TVs, just big monitors. I can figure out the rest, thank you. reply al_borland 16 hours ago | root | parent | next [–] The monitor I use for work is 43” and can double as a TV. It also has 4 HDMI inputs, which can act as 4 displays. I could, in theory, watch TV via a streaming box, play a console, and still have the equivalent of 2 21” monitors going at the same time. I’d love this kind of flexibility on my primary TV in the living room. reply dylan604 12 hours ago | root | parent | next [–] Is this something you're actually able to do with this monitor, or that you think it should be able to do it? If it can actually display all 4 inputs at the same time, I'd be interested in knowing the model and price of that monitor. That's a feature that tends to require special equipment that's not cheap. reply al_borland 11 hours ago | root | parent | next [–] This is something it is actually able to do. I would like it to be more of a standard feature on monitors and TVs. When it came out it seemed like a unicorn, it still kind of does. It's an LG 43UD79-B. According to LG's site[0], it's discontinued. I got it from Costco in 2017 for $550, but it was sold many places at the time. Doing a quick glance at LG's current lineup, there isn't an obvious successor. It looks like Amazon has 1 person selling it used[1], but in 6/10 condition and no remote, for double the price of new... While it looks the remote is also being sold places, it's pretty useless without the remote. The seller has sketchy ratings as well, I'd stay away. [0] https://www.lg.com/us/monitors/lg-43UD79-B-4k-uhd-led-monito... [1] https://www.amazon.com/LG-Electronics-LED-lit-Monitor-43UD79... reply dylan604 6 hours ago | root | parent | next [–] Being able to multiplex seems like an obvious feature to someone like me, but most people would probably just prefer picture-in-picture. I can see why it wasn't a feature that lived very long. Sounds like a great idea in design/feature meetings until the users tell you they don't care about it. reply port11 12 hours ago | root | parent | prev | next [–] Our Samsung running Tizen has the obnoxious need to check if antenna-based broadcasting is available, every single time you open the settings menu. It never is, it won’t ever again be in Europe. But it checks. And lags. And then whatever you chose in the menu is not what it selected. Every. Single. Time. Going to settings makes me wince. reply elAhmo 15 hours ago | root | parent | prev | next [–] It is time for a new TV! reply rubslopes 15 hours ago | root | parent | prev | next [–] People are replying that OP must own an old TV, but that's missing the point: with very old non-smart TVs, menu commands were always instantaneous! reply H3X_K1TT3N 14 hours ago | root | parent | next [–] Yeah, I don't understand why everyone is trying to invalidate their experience or suggest workarounds (implying that they are the problem); this isn't stackoverflow. Every TV I have interacted with in recent years is slow and terrible, except for really old ones. The TVs are the problem, and we shouldn't be making excuses for that. reply dylan604 12 hours ago | root | parent | prev | next [–] This was my experience with the switch from analog cable boxes to digital boxes. The whole experience became sluggish as channel changes were forced to wait for I-frames which depended on the GOP size. reply zafka 17 hours ago | parent | prev | next [–] https://en.wikipedia.org/wiki/The_Design_of_Everyday_Things This book - or its later editions, should be required reading for ALL engineers and designers. Actually for their managers as well. reply SoftTalker 17 hours ago | root | parent | next [–] The current way is quite intentional. It wasn't done because the designers didn't know about design. reply criddell 15 hours ago | root | parent | prev | next [–] Donald Norman can design a great tea pot, but can he design a great tea pot with recurring revenue possibilities? reply eimrine 17 hours ago | root | parent | prev | next [–] They read it but vice versa. reply jahller 17 hours ago | root | parent | next [–] they read it, understood it and then applied every way possible to game our attention span reply golem14 2 hours ago | parent | prev | next [–] I argue that most kids are far better at using complicated remotes and mobile phones / apps than most adults. This has been true for a long time. Programming VCRs was a dark art reserved only for teens in the 80s, and I have no doubt the Romans had similar issues :) reply microtherion 7 hours ago | parent | prev | next [–] I get to visit my 90-year-old mother in law a few times a week to get her TV setup (Cable box running Android TV, connected to a TV running Android TV — FML) working again. To make matters worse, the cable box remote works via Bluetooth, the TV remote over IR, so getting any universal remote that works with both AND is simple seems a difficult prospect. What are people even doing for universal remotes these days? Our household is equipped with Logitech Harmony remotes, which are no longer being made, and I dread the day they stop working. reply kdinn 6 hours ago | root | parent | next [–] When Logitech announced they were stopping making them, I bought 3 new Logitech Harmony remotes. I'm on my last one! I don't know what I am going to do after that one dies :-( reply bawolff 8 hours ago | parent | prev | next [–] Oddly enough, i think one of the main benefits of piracy is you have to be intentional about what to watch. You pick something and go find it. You aren't prodded into mindlessly watching whatever is suggested to you. It helps break the "addiction" loop. reply qwertox 17 hours ago | parent | prev | next [–] > I'd argue that's not too different for grown-ups. ;) Plus kids have a special motivation, much more urgent, in getting to know how to work that little plastic box full of buttons. reply mrweasel 16 hours ago | parent | prev | next [–] It's not just the TV, it's the weird take that tuners are bad, apparently. I helped my mother-in-laws friend, a lady in her 60s, getting her TV working after a move. The local cable providers don't care to offer their coax solution anymore, you need their box. To be fair, the box is nice enough, but it's way more complicated than simply hooking up the tuner. Modern Samsung TV are also awful, there's no longer a source button on the remote, so you have to use their terrible UI to navigate to the bottom of the screen, guess which input you want, which takes 10 - 15 seconds. If you can find it in their horribly busy UI. reply tzs 12 hours ago | root | parent | next [–] From what I've read on some modern Samsung TVs if they have a settings button on the remote long pressing that is a shortcut directly to the input selection. Another option is if the remote has a mic button you can use that. This works pretty well on my several year old Samsung (most of the time [1]). I just press the button and say e.g., "HDMI 2". If I want to watch an OTA channel, say channel 4, I say "channel 4". I don't know how well this works on the newest models because I believe they know have they own Alexa-like thing called Bixby handling this instead of something built specifically for TV voice control. If you don't watch OTA TV another possibility is to enable HDMI-CEC for your devices. Then when you turn on or wake a device it can switch the TV input to that device (and turn the TV on if it is not on). [1] Around a year ago they had a glitch that affected the voice commands on older TVs around the world. Most reports were for 2017 TV models. These TVs started only recognizing voice commands in Russian (and the feedback showing what you said was in Russian too). For switching between HDMI 1 and HDMI 2 I was able to learn how to say those well enough in Russian for it to work by listening to Google Translate speak them in Russian. But no matter how many times I tried I was not able to learn how to say "channel 4" well enough in Russian. It worked if I let the TV listen to Google Translate speaking it, so the problem was my pronunciation rather than Google Translate not translating correctly. reply pwg 15 hours ago | root | parent | prev | next [–] > you need their box. This is because every channel on the cable is encrypted now, lest someone try to pirate service, and given that the cable companies all but killed "CableCard" that box is required because it is the "decryptor" of the streams. reply bananaowl 18 hours ago | parent | prev | next [–] I witnessed my great aunt of 85 trying to watch TV. It was sad and painful. How ux is forgetting this entire generation is just terrible. reply cheschire 17 hours ago | root | parent | next [–] When my grandmother was in her late 70's, she couldn't figure out the concept of menus on DVDs, so she stuck with VHS well beyond the point others had let it go. The capabilities of individuals over 70 are hugely varied. Some folks are clear-minded until 100, others start to lose their mental faculties much, much earlier. I don't think the generation is forgotten, just so vastly different in needs from the core audience that it would require an entirely different solution, and likely an entirely different company model. reply brabel 14 hours ago | root | parent | next [–] I think it's not that they lose their mental faculties... it's that they lived most of their lives in a world without computers (at least home computers - which only became a common occurrence in the 90's, when today's older people were already in their 50's. So they just never learned to use computers and smart phones and are completely unused to their modern UIs. Even I find it hard to use many apps on my phone! Like, how am I supposed to know that wiping carefully up and to the left is the only way to do something!!!??? So, older people may try a few things, and if it's too frustrating they just find something else to do and give up. At least that's my experience with my mom and auntie. Both of them managed only to learn how to open WhatsApp and call family, but it's always an agony when they accidentally touch something and the video disappears, or pauses, or flips so they can see only themselves or some other nonsense. And that's all they use their "smart" phones for! They just wanted an old fashion phone with a big dial buttons, plus a screen to see the person on the other side. reply crooked-v 1 hour ago | root | parent | next [–] On that note, compare early iOS and current iOS and the difference is night and day when it comes to even knowing what on the screen is actually a UI element. I'm pretty sure the only reason I even know how to operate my phone is that I've lived through the transitions that took away more and more and more of the actual visible UI from it. reply nar001 16 hours ago | root | parent | prev | next [–] I do wonder how much of that is just convenience, a lot of people just don't want to bother, even if they would figure it out if they tried - they just don't. Your grandmother probably could've figured it out, but tapes were just much more convenient even if you had to rewind them (Obviously there's a learning curve, though) reply cheschire 16 hours ago | root | parent | next [–] I'm sure you didn't intend to be arrogant and dismissive of my efforts to try to keep her current as time went on. reply SoftTalker 16 hours ago | root | parent | prev | next [–] Yeah I preferred tapes myself rather than deal with the stupid criminal warnings, unskipable content, and often bizarre menu organization on DVDs. Tapes are simple. One other thing a lot of older people learn is that if they don't want to deal with something they can feign helplessness and someone else will jump in and do it for them. reply greenavocado 15 hours ago | root | parent | prev | next [–] I clearly remember my grandfather telling me how much it physically hurt to learn a few years before his death. He was highly motivated and figured out a lot on his Android tablet but could only really try to learn for a few minutes every few hours. reply kmarc 1 hour ago | root | parent | next [–] I'm 40 and sometimes I feel the same. Should I be worried... reply robinsonb5 17 hours ago | root | parent | prev | next [–] This, 100%. I've seen the same scenario - someone with limited vision, next to no feeling in his fingertips and an inability to build a mental model of the menu system on the TV (or actually the digi-box, since this was immediately after the digital TV switchover). Losing the simplicity of channel-up / down buttons was quite simply the end of his unsupervised access to television. reply SoftTalker 17 hours ago | root | parent | next [–] Channel up/down doesn't scale to the amount of content available now. It was OK when there were maybe half a dozen broadcast stations you could choose from. reply mook 16 hours ago | root | parent | next [–] That's only if you want to watch specific things; some people just turn it on for entertainment, and change channels to have a spin at the roulette wheel for something better. reply pessimizer 16 hours ago | root | parent | prev | next [–] This is ahistorical. If you had cable, you had 100+ channels, and there was no difficulty in numbering them and navigating them through the channel up/down buttons. There weren't even only half a dozen broadcast stations in any city in the US at least since the 50s - you at least had ABC, NBC, CBS and PBS in VHF, and any number of local and small stations in UHF. The thing that didn't scale was the new (weird, not sure why) latency in tuning in a channel after the DTV transition, and invasive OS smart features after that. Before these, you could check what was on 50 channels within 10 seconds; basically as fast as you could tap the + or - button and recognize whether something was worth watching; changing channels was mainly bound by the speed of human cognition. I think young people must be astounded when they watch movies or old TV shows where people flip through the channels at that speed habitually. reply pwg 15 hours ago | root | parent | next [–] > new (weird, not sure why) latency in tuning in a channel after the DTV transition, Because with analog signals the tuner just had to tune to the correct frequency and at the next vertical blank sync pulse on the video signal the display could begin drawing the picture. With digital, the tuner has to tune to the correct frequency, then the digital decoder has to sync wit | 2026-01-13T08:47:53 |
https://hmpljs.forem.com/about | About HMPL.js 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 HMPL.js Forem Close About HMPL.js Forem Welcome to the HMPL.js Forem! Hello and welcome, developers! This is the official community hub for HMPL.js, the server-oriented, customizable templating language for JavaScript. If you're excited about building dynamic, modern, and incredibly small web applications by keeping logic on the server and fetching HTML, you've found your home. What This Community Is About Our mission is to create a central place for developers to learn, discuss, and master HMPL.js. We believe in building powerful user interfaces with minimal client-side JavaScript, leveraging the server to do the heavy lifting. HMPL.js is designed to be: Flexible: Get the benefits of SSR on any platform, whether it's a simple static site or a complex single-page application. Easy to Use: Describe a couple of properties in an object and get ready-to-use HTML directly from your server. Reliable: With 100% code coverage and built-in protection against XSS vulnerabilities (using DOMPurify), you can build with confidence. Lightweight: All this functionality is packed into just ~24 kilobytes, making your apps significantly smaller than those built with other popular tools. This forum is the place to explore these concepts, share your successes, and get help when you need it. What to Discuss Here We encourage a wide range of discussions. Whether you're a beginner or an expert, your voice is welcome. Here are a few ideas to get you started: Questions & Support: Need help with installation, hmpl.compile() , or the hmpl-dom module? Ask away! Use the #help tag. Show & Tell: Share the awesome things you've built with HMPL.js. Post a link to your project or a code snippet. Use the #showdev tag. Tutorials & Guides: Found a great way to solve a common problem? Write a post to share your knowledge with the community. Use the #tutorial tag. In-Depth Discussions: Let's talk about best practices, performance, or how HMPL.js compares to libraries like HTMX and Alpine.js. Use the #discuss tag. Ideas & Feedback: Have a suggestion for a new feature or an improvement? We'd love to hear it! How to Get Involved Jumping in is easy! Introduce yourself in the comments of a welcome thread. Ask a question or help answer someone else's. Share your project or a cool code snippet you've written. Experiment with the online HMPL Playground and share your creations. Our Community Guidelines To ensure this remains a friendly and productive space for everyone, we ask that you follow a few simple principles: Be Kind and Respectful: Treat everyone with courtesy. Healthy debate is encouraged, but personal attacks are not. Be Collaborative: This is a space for learning together. Share what you know, and be open to learning from others. Stay Constructive: Offer feedback that is helpful, supportive, and aimed at moving the conversation forward. Stay On Topic: Keep discussions focused on HMPL.js and related web development technologies. We're thrilled to have you here. Let's build something amazing together 💎 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 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 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 . HMPL.js Forem © 2016 - 2026. Powerful templates, minimal JS Log in Create account | 2026-01-13T08:47:53 |
https://hmpljs.forem.com/t/api | API - HMPL.js 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 HMPL.js Forem Close API Follow Hide Application Programming Interface Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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 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 . HMPL.js Forem © 2016 - 2026. Powerful templates, minimal JS Log in Create account | 2026-01-13T08:47:53 |
https://dev.to/podcast-on-api-design-and-development-strategies/flavor-familiarity-the-2-sides-of-style-guides-company-wide-process-feat-wesley-beary-of-salesforce#main-content | Flavor & Familiarity: the 2 Sides of Style Guides & Company-Wide Process feat. Wesley Beary of Salesforce - 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 API Intersection Follow Flavor & Familiarity: the 2 Sides of Style Guides & Company-Wide Process feat. Wesley Beary of Salesforce Nov 10 '22 play This week on the API Intersection podcast, we spoke with Wesley Beary–Architect of Engineering Practices and Culture, previously at Salesforce Technology. We originally reached out to Wesley after writing about the history of API Style Guides, as he played a key role in publishing one of the first open-sourced API standards. However, that was many years ago, and Wesley has continued to grow into a broader role at Salesforce after Heroku was acquired. Focused on people, innovation, and learning, Wesley has been a part of Salesforce for over a decade now (including his time at Heroku). Using his technical background and focusing on API governance evidently led him to the organizational side of things. With hundreds of architects and thousands of developers, things can get muddled quickly without proper process, education and communication. And that's where Wesley comes in. We’ve yet to have an episode where the lines of API governance blur with greater company standardization and company-wide process, it was definitely a unique insight into a very large scale way of doing things. To subscribe to the podcast, visit https://stoplight.io/podcast --- API Intersection Podcast listeners are invited to sign up for Stoplight and save up to $650! Use code INTERSECTION10 to get 10% off a new subscription to Stoplight Platform Starter or Pro. Offer good for annual or monthly payment option for first-time subscribers. 10% off an annual plan ($650 savings for Pro and $94.80 for Starter) or 10% off your first month ($9.99 for Starter and $39 for Pro). Valid until December 31, 2022 Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:53 |
https://developers.reddit.com/apps/admin-tattler | Admin Tattler | Reddit for Developers Readme Admin Tattler Get notified when the Reddit Admins action content in your subreddit. Supports Modmail, Slack, and Discord. https://developers.reddit.com/apps/admin-tattler Features Minimal setup requiring zero knowledge about AutoModerator or coding Notifications via Modmail, Slack, or Discord Includes original post or comment text even after getting [ Removed by Reddit ] Flag actioned users with a Mod Note Installation Settings Slack: Sending messages using Incoming Webhooks Discord: Intro to Webhooks Notifications Modmail Slack Discord Moderation Actions Add Note Mod Notes can (optionally) be added to users whose content was removed by the Reddit Admins Force Remove A secondary removal can (optionally) be performed on all content removed by the Reddit Admins. This will fully remove the content from visibility in the subreddit and prevents automatic restoration in the event the user successfully appeals the Admin action. Limitations This app does not account for actions taken by Admin accounts that get added to a subreddit's mod team. Notifications will be sent when temporary bans expire if the moderator responsible for the original ban has since left the mod team. This app is only aware of current moderators and cannot account for the delayed unbanuser action that gets scheduled for temporary bans. Changelog View Releases on GitHub v0.8 Add setting to fully remove actioned content by performing a secondary removal Disabled because of unintended behavior v0.7 Better handling of actions caused by [deleted] moderator accounts Increase cache duration to 30 days Indicate original content date on cache misses v0.6 Modmail notifications route into Inbox rather than Mod Discussions Flag banned users in notification messages Add setting to flag actioned users with Mod Note v0.5 Improve notification messages for [ Redacted ] moderators v0.4 Transition to new (Shreddit) modlog path Quote post/comment text to improve readability in Modmail Add setting to exclude post/comment context from notifications Improve handling of [ Redacted ] moderators Flag when cached content is used in notifications Include submitted links in post-related notifications Cache submitted links v0.3 Cache post/comment text for use in notifications Purge cached content after 14 days v0.2 Include post/comment details whenever available regardless of action type Ignore moderators demodding themselves Ignore actions by u/AutoModerator and u/reddit accounts Watch for actions by any user not in subreddit modlist Improve notification messages v0.1 Initial Release Links Source Code Terms and Conditions Privacy Policy Note: The avatar used for Discord messages was generated using Image Creator from Microsoft Designer. About this app shiruken Creator App identifier admin-tattler Version 0.8.1 Send feedback Terms and conditions Privacy policy Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. | 2026-01-13T08:47:53 |
https://platformengineering.org/blog/what-is-platform-engineering | What is platform engineering? Community Community Overview The story and values that drive us Ambassadors Become a Platform Engineering Ambassador Events Check out upcoming events near you Reports Check out the #1 source of industry stats Jobs Find your next platform engineering role GET CERTIFIED Advance your career with Platform Engineering Certifications! Get Certified Join Community Join and contribute Vendor opportunities Certifications Introduction to Platform Engineering Platform Engineering Certified Practitioner Platform Engineering Certified Professional Platform Engineering Certified Leader Platform Engineering Certified Architect new ...and many more. Check out Platform Engineering University Get Certified For organizations FOR ENTERPRISE TEAMS Training Advisory Case study Platform engineering at Fortune 200 scale Case study Platform engineering trainings. Surgically delivered. FOR SERVICE PROVIDERS Become a Certified Service Provider Certified Provider Directory Blog Landscape Get certified Join community Join community Get certified Platform Weekly, the best newsletter in Platform Engineering. Subscribe now Blog What is platform engineering? Infra DATA DEVEX AI Leadership SECURITY DATA Sponsored What is platform engineering? Platform engineering is the discipline of designing and building toolchains and workflows that enable self-service capabilities for software engineering organizations in the cloud-native era. Platform engineers provide an integrated product most often referred to as an “Internal Developer Platform” covering the operational necessities of the entire lifecycle of an application. Luca Galante Core contributor @ Platform Engineering • • Published on Platform engineering is the discipline of designing and building toolchains and workflows that enable self-service capabilities for software engineering organizations in the cloud-native era. Platform engineers provide an integrated product most often referred to as an “Internal Developer Platform” covering the operational necessities of the entire lifecycle of an application. An Internal Developer Platform (IDP) encompasses a variety of technologies and tools, integrated in a manner that reduces cognitive load on developers while retaining essential context and underlying technologies. It helps operations structure their setup and enable developer self-service. Platform engineering done right means providing golden paths and paved roads that match the preferred abstraction level of the individual developer, who interacts with the IDP. In this article we are going to explore the origins of this discipline and discuss the main focus areas of platform engineers. We will also explain how this fits into the setup of a modern engineering organization and is actually a key component in most advanced development teams. From the ashes of DevOps: the rise of Internal Developer Platforms Let’s turn the clock back a couple of decades. The late 90s and early 2000s, the time most setups had a single gatekeeper (and point of failure), the SysAdmin. If developers wanted to get anything done to run their applications, they had to go through them. In practice, this translated to the well-known “throw over the fence” workflow, which led to poor experiences on both sides of the fence. As an industry, we all agreed this was not the ideal we should aspire to. At the same time that cloud started becoming a thing, with AWS launching in 2006, the concept of DevOps gained ground and established itself as the new golden standard for engineering teams. While cloud native drove huge improvements in areas like scalability, availability and operability, it also meant setups became a lot more complex. Gone were the days of running a single script to deploy a monolithic application consuming one relational database. Suddenly, engineers had to master 10 different tools, Helm charts, Terraform modules, etc. just to deploy and test a simple code change to one of multiple environments in your multi-cluster microservice setup. The problem is that throughout this toolchain evolution, the industry seemingly decided that division of labor (Ops and Devs), which proved successful in virtually every other sector of the global economy, was not a good idea. Instead, the DevOps paradigm was championed as the way to achieve a high performing setup. Developers should be able to deploy and run their apps and services end to end. “You build it, you run it”. True DevOps. The issue with this approach is that for most companies, this is actually rather unrealistic. While the above works for very advanced organizations like Google, Amazon or Airbnb, it is very far from trivial to replicate true DevOps in practice for most other teams. The main reason being it is unlikely most companies have access to the same talent pool and the same level of resources they can invest into just optimizing their developer workflows and experience. Instead, what tends to happen when a regular engineering organization tries to implement true DevOps, is that a series of antipatterns emerge. This is well documented by the Team Topologies team (Matthew Skelton and Manuel Pais, speaker at one of our Platform Engineers meetups) in their analysis of DevOps anti-types , a highly recommended read for anyone who wants to better understand these dynamics. Below, an example of what emerges in many development teams when the organization decides to implement DevOps and remove a formal Ops role or team. Developers (usually the more senior ones) end up taking responsibility for managing environments, infrastructure, etc. This leads to a setup where “shadow operations” are performed by the same engineers whose input in terms of coding and product development is most valuable. Everyone loses. The senior engineer who now becomes responsible for the setup and needs to solve requests from more junior colleagues. The wider organization, which is now misusing some of its most expensive and talented resources and cannot ship features with the same speed and reliability. This type of antipatterns has been shown by a number of studies, such as the State of DevOps by Puppet or, most recently, by Humanitec’s Benchmarking study . In the latter, top and low performing organizations were clustered, based on standard DevOps metrics (lead time, deployment frequency, MTTR, etc.). As shown below, a stunning 44% of low performing organizations experience the above antipattern, with some developers doing DevOps tasks on their own and helping less experienced colleagues. This is compared to top performers, where 100% of the organizations have successfully implemented a true “you build it, you run it” approach. So what is the key difference between low and top performing organizations? How do the best teams ensure their developers can run their apps and services, without the constant need for help by senior colleagues? You guessed it, they have a platform team building an Internal Developer Platform. The State of DevOps Report 2020 by Puppet clearly shows the correlation between the use of internal platforms and the degree of DevOps evolution of organizations. That is what the best engineering organizations do. They set up internal platform teams who build IDPs. When using these IDPs, developers can pick the right level of abstraction to run their apps and services, depending on their preference, i.e. do they like messing around with Helm charts, YAML files and Terraform modules? Great, they can do so. Are they a junior frontend who doesn’t care if the app is running on EKS? Fantastic, they can just self-serve an environment that comes fully provisioned with everything they need to deploy and test their code, without worrying where it runs. Golden paths and paved roads What do we mean by golden paths and paved roads? Let’s be more specific. Today, most CI/CD setups are focused on simply updating images. CI builds them, updates the image path in configs, done. That covers most of the deployment use cases. But things start getting more complex and time consuming, whenever we need to do anything beyond this basic workflow, such as: Adding environment variables and changing configurations Adding services and dependencies Rolling back and debugging Spinning up a new environment Refactoring Adding/changing resources Enforcing RBAC The list goes on. Platform engineering is about binding all of this into a paved road. Rather than letting everybody operate everything and having to understand the entire toolchain to do so, platform engineers provide the glue to bind everything into a consistent self-service experience. This glue is the internal platform. In the words of Evan Bottcher (Thoughtworks) , platforms are “a foundation of self-service APIs, tools, services, knowledge and support, which are arranged as a compelling internal product. Autonomous delivery teams can make use of the platform to deliver product features at a higher pace, with reduced coordination.” Building on top of this definition, Humanitec’s Kaspar von Gruenberg defines an Internal Developer Platform as a “the sum of all the tech and tools that a platform engineering team binds together to pave golden paths for developers.” Principles of platform engineering Many organizations are waking up to the benefits of Internal Developer Platforms and developer self-service. To cite Puppet’s State of DevOps Report 2021 , “The existence of a platform team does not inherently unlock higher evolution DevOps; however, great platform teams scale out the benefits of DevOps initiatives.” Hiring the right talent to build such platforms and workflows though can be tricky . And even trickier is to ensure they consistently deliver a reliable product to the rest of the engineering organization, incorporating their feedback into the IDP. Below are some helpful principles that I see are a common thread among successful platform teams and self-service driven organizations: Clear mission and role The platform team needs a clear mission. An example: “Build reliable workflows that allow engineers to independently interact with our setup and self-serve the infrastructure they need to run their apps and services”. Whatever makes the most sense for your team, make sure this is defined from the get go. It is also extremely important to establish a clear role for the platform team, which shouldn’t be seen as yet another help desk that spins up environments on demand, but rather as a dedicated product team serving internal customers. Treat your platform as a product Expanding on the product focus, the platform team needs to be driven by a product mindset. They need to focus on what provides real value to their internal customers, the app developers, based on the feedback they gave them. Make sure they ship features based on this feedback loop and don’t get distracted by playing around with a shiny new technology that just came out. Focus on common problems Platform teams prevent other teams within from reinventing the wheel by tackling shared problems over and over. It’s key to figure out what these common issues are: start by understanding developer pain points and friction areas that cause slowdowns in development. This information can be gathered both qualitatively through developers’ feedback and quantitatively, looking at engineering KPIs. Glue is valuable Often platform teams are seen as a pure cost center, because they don’t ship any actual product features for the end user. They are only glueing together our systems after all. This is a very dangerous perspective and, of course, that glue is extremely valuable. Platform engineers need to embrace and advertise themselves and their value proposition internally. Once you have designed the golden paths and paved roads for your teams, the main value you create as a platform team is to be the sticky glue that brings the toolchain together and ensures a smooth self-service workflow for your engineers. Don’t reinvent the wheel The same way platform teams should prevent other teams within the organization from reinventing the wheel and finding new creative solutions to the same problems, they should avoid falling into the same fallacy. It doesn’t matter if your homegrown CI/CD solution is superior today, commercial vendors will catch up eventually. Platform teams should always ask what is their differentiator. Instead of building in-house alternatives to a CI system or a metrics dashboard and compete against businesses that have 20 or 50 times their capacity, they should focus on the specific needs of their organization and tailor off-the-shelf solutions to their requirements. Commercial competitors are more likely to optimize for more generic needs of the industry anyway. The modern engineering organisation According to Puppet’s State of DevOps Report 2021 , “highly evolved organizations tend to follow the Team Topologies model”. Published in 2019, the book Team Topologies by Matthew Skelton and Manuel Pais became one of the most influential blueprints for modern team setups in successful engineering organisations. According to their blueprint, there are four fundamental topologies teams should structure themselves around. Stream-aligned team: aligned to a flow of work from a segment of the business domain, they work on core business logic. Enabling team: helps stream-aligned teams to overcome obstacles and detects missing capabilities. Complicated subsystem team: forms whenever significant mathematical/technical expertise is needed. Platform team: provides a compelling internal platform to accelerate delivery by stream-aligned teams As painted in the graphic above, the platform team is transversal to all others, ensuring a smooth self-service workflow, from code to production. When should you look at this? A common misconception is that platform engineering is something that only makes sense in large teams. And while if your team is composed of 5 developers, a platform team and IDP are surely an overkill, as soon as your organization grows past the 20-30 developers mark, an Internal Developer Platform is probably something you should look at, sooner rather than later. I have heard countless stories of teams who delayed building an IDP for way too long and had to suffer unnecessary hardships, e.g. your only DevOps hire leaves and your whole organization can’t deploy for weeks. IDPs and hiring platform engineers are investments you might want to consider today. How to get started If you are reading this, you are already halfway there. Attend our events, join the Slack channel , engage with other platform engineers and platform nerds. Follow the journey of other teams, such as Adevinta, Flywire and others. Share with the community what your team struggles with and understand when and where self-service might make sense. Check out existing offerings around Internal Developer Platforms to jumpstart your journey. Start lightweight and keep iterating on use-cases. 👉 Master all the key concepts of
platform engineering 👉 Design your first Internal Developer Platform 👉 Get access to best practice blueprints + templates Download Info Pack 👉 Sorem ipsum dolor sit amet, consectet adipiscing elit 👉 Sorem ipsum dolor sit amet, consectet adipiscing elit 👉 Sorem ipsum dolor sit amet, consectet adipiscing elit Learn more Share this post Related articles Infra DEVEX AI DATA Leadership SECURITY Infra DEVEX AI DATA Leadership SECURITY Ambassador Are AI agents ready for large-scale migrations? Lou Bichard Field CTO @ Ona • • Infra DEVEX AI DATA Leadership SECURITY Infra DEVEX AI DATA Leadership SECURITY Ambassador Hot trends in platform engineering for AI: Two pathways, one transformation Mallory Haigh Workshop host @ Platform Engineering • • Infra DEVEX AI DATA Leadership SECURITY Infra DEVEX AI DATA Leadership SECURITY Ambassador New reference architecture for an AI/ML Internal Developer Platform on GCP Luca Galante Core contributor @ Platform Engineering • • All articles Join our Slack Join the conversation to stay on top of trends and opportunities in the platform engineering community. Join Slack Sitemap Home About Ambassadors Certifications Events Jobs Resources Blog PlatformCon Certified provider directory What is platform engineering? Platform tooling Vendor opportunities Join Us Youtube LinkedIn Platform Weekly Twitter House of Kube Subscribe to Platform Weekly Platform engineering deep dives and DevOps trends, delivered to your inbox crunchy, every week. © 2025 Platform Engineering. All rights reserved. Privacy Policy Privacy Policy Terms of Service Cookies Settings Supported by Platform engineers earn up to 27% more than DevOps. But most engineers report not knowing where to start👇 Platform engineers earn up to 27% more than DevOps. But most engineers report not knowing where to start. 👇 | 2026-01-13T08:47:53 |
https://ruul.io/blog/contra-vs-upwork-vs-fiverr#$%7Bid%7D | Contra vs Upwork vs Fiverr – Freelance Platform Comparison 2025 Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow Contra vs Upwork vs Fiverr Compare Contra, Upwork, and Fiverr for freelancers—fees, client quality, ease of use & payout speed in 2025. Canan Başer 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Contra: 0% commission for freelancers, ideal for portfolio-driven pros. Upwork: Best for long-term, diverse gigs. Fiverr: Perfect for quick, gig-based creative work. If you’re weighing Contra, Upwork, or Fiverr to find a smarter way to get clients, this guide breaks down what each offers and what they don’t. From fees to visibility to client quality, here’s how they really stack up. Let’s help you pick the right stage for your talent. Marketplace commissions Platforms Commission Rate Subscription Pricing Contra 0% (client pays $29) $29/month for Pro UpWork 10-15%(freelancers) $27/month for Freelancer Plus Fiverr 20%(freelancers) $129/month for Fiverr Pro Contra Contra skips commissions for freelancers. Sounds great, right? But there’s a catch: clients have to agree to cover all invoice fees. If they push back, disputes can spark fast, and those aren’t fun for anyone. Plus, key features like job submissions and portfolio tweaks sit behind a paywall. Sure, you dodge commission cuts, but chances are you'll end up paying for Pro anyway—even if the gigs never come through. Upwork Upwork’s fees land in the middle, 10–15%, a decent balance between commission-free platforms and those with steeper cuts. The upside? You’re more likely to find consistent work here than on Contra. And once you build a steady client base, those commission rates start to matter a lot less. Fiverr Fiverr tops the list with the steepest commission—20% flat on every sale, no matter what. If you raise the price of your service a bit, maybe you can tolerate the high commission (but you might lose clients). In short: Contra : No commissions, but only if your client agrees to cover all fees. If not, it gets tricky fast. Upwork: Great for experienced freelancers chasing big projects. The 10–15% fee is easier to swallow if the work is steady. Fiverr: Fine for beginners building a portfolio, but the flat 20% cut makes it tough for pros to justify long-term. Client and project types Contra Contra's client base consists of start-ups and entrepreneurs. The most popular job opportunities include graphic design, UX/UI, and software projects. But there is a significant drawback: You can’t apply for jobs without Pro, so landing work without it is nearly impossible. Also, the circulation of job postings is low, so even if you buy Pro, it can still be hard to find a job. (Many users complain about it on Reddit and Quora.) Upwork Upwork is probably the largest freelancing platform after freelancer.com. You’ll find both individual and corporate clients, especially for writing, design, and software gigs. Project quality is generally solid, but watch out for red flags. Some clients might try to move conversations to Telegram and fish for free work. Always check if their profile is verified and read freelancer reviews before engaging. Fiverr Think of Fiverr as the convenience store of freelancing: fast, easy, and all about quick sales. It's a platform where you can find all kinds of freelance services. I'd say low-budget clients and fast projects are common here. And with Fiverr, you don't go to the client; they find you through Gigs and buy your service package. Personally, I felt that you can find work faster on Fiverr than on other platforms. Conclusion: You can find "more visionary" jobs on Contra. You communicate directly with start-up founders or product managers. Upwork is large-scale: from large companies to micro-projects. Finding good gigs here takes some filtering. Think of Fiverr as a quick-grab marketplace—fast gigs, small budgets, zero fuss. Also, earnings are low and client relations are a bit superficial. Contra and Upwork are better suited for those who want to build a brand; Fiverr is for those who want fast cash. Ease of use & interface Contra Contra's interface looks modern and simple. You can tell right from the start that you've come to a professional site. Also, since the emphasis here is on portfolios, the customization options are rich (but paid). Among the best tools for freelancers are invoicing and contract signing. It's nice to handle many things on a single platform, but the lack of a mobile app is a big drawback. Upwork Upwork's pages are very comprehensive. This is an interface that professionals will love, but it can be a disadvantage for beginners. One of the ones that's definitely worth talking about is Uma AI: It's very useful for writing more persuasive proposals to clients or summarizing a job advertisement. If they keep improving it, I think they can leave other platforms behind. Last but not least, unlike Contra, it has a mobile app. I like that I can keep track of everything thanks to this mobile app (a very important feature for traveling freelancers). Fiverr Fiverr's interface is very clear and easy to understand. With its easy-on-the-eyes menus and simple steps for creating Gigs , it is ideal for both beginners and those who are lazy. The mobile app is also a great convenience for those who travel. Conclusion: Contra's interface is minimal and fresh. It's very easy to set up a portfolio with drag and drop. Upwork is complex but well thought out. A lot is going on at first glance, but it's manageable once you get the hang of it. Just like the rest of the platform, Fiverr keeps things simple here, too. There is nothing confusing, and this makes it easier for beginners. If you do design or creative work, Contra's interface is for you. Upwork's interface is just right for corporate clients. Fiverr, on the other hand, is beginner-friendly with its simplified interface. Finding a job process & security Contra On Contra, you can sign contracts right on the platform. So your scope, payment terms, and everything in between stay crystal clear. If a dispute arises, it is expected to be resolved between the two people and the funds can be frozen for as long as three months. During this period, Contra is not responsible for making a final decision regarding the dispute, so you will need to talk to your customer and resolve the issue between yourselves. Also, note that Contra mainly targets experienced freelancers in the U.S. and Europe, where rates often start above $25/hour. It’s built for pros with solid portfolios, not beginners. So, it's clearly focused on higher-value markets. Upwork On Upwork, projects are held for 14 days until the client approves them, and then the money is released. This is a common practice on freelancing platforms. There's also hourly payment protection for clients, meaning your screen is monitored at regular intervals. If you or your client feels wronged, you can turn to Upwork's mediation support. Fiverr Source Similarly, on Fiverr, payments are locked until the project is approved. If the client wants to cancel the order, they need to provide a logical reason. So, you have a space to protect and defend yourself when the client objects. You can fulfill the revision requests of clients who are not satisfied with the project, but if they go over the limit, you can cancel the project and go to Fiverr's solution center for other solutions. Conclusion: Contra lets you create and sign contracts directly, which helps you protect your work. But even if you are right, Contra cannot make the final decision. It is also possible to sign contracts on Upwork, and the escrow system is robust. Their mediation support is well developed and, unlike Contra, they can make a final decision. Fiverr has payment securit, but almost no structure to protect your rights. The client can annoy you with 3 stars, and even if you object, it may not change much. Upwork leads the way for secure payment and clear rules. Contra is also safe, but the final decision is between you and the client. Fiverr can be considered the riskiest of them all. Portfolio building Contra Source Contra is the best platform on the list for growing your career and creating a portfolio. Even if you never land a gig there, you can still flaunt your portfolio on Contra’s sleek templates. There are a few free templates, but not enough (for more, you need Pro.) Also, if you get a verified expert badge, you can rank among the best and be more visible. Upwork Source It is possible to create a portfolio on Upwork, but you don't stand out directly. You need to develop your profile over time using the reputation and earning system. You can create a strong profile and grow your career in the long run, especially with the comments you receive from clients, your profile photo and your work examples. Fiverr Fiverr is similar to Upwork, but it's much more difficult to become permanent here compared to the other two platforms. The reason for this is that since you only sell through Gigs, the potential and client contact shrinks. Since you have very little contact with clients, it can be difficult to establish an emotional connection. Conclusion: In Contra, you can show your portfolio as an agency. This positions you as a "brand", not as an "employee". Upwork treats you like a corporate CV. Your earnings, achievements, and client comments give you a reputation. Fiverr, on the other hand, focuses on selling services and gigs, which limits career and profile development. Ranking: Contra – Best for building your personal brand. Upwork – Ideal for long-term corporate projects. Fiverr – Suitable for quick, supplementary income. Final decision: Which platform is for you? Remember, these platforms are tools. They bring you to a point. But only you decide which path to take, which client to say yes to, which job to turn down. And in fact, a good freelancer eventually learns to position themselves independently of platforms. So the best platform is the one that really takes you a step forward. Platforms bring jobs, Ruul frees you Found a client. But what about getting paid, invoicing, and staying globally compliant, with low commissions that give you freedom? You don’t need to start a company or deal with an accountant. With Ruul , you can invoice, get paid, and manage taxes as a freelancer. All with commissions starting from just 2.75% . Focus on your work. Let Ruul handle the rest. Join Ruul now. Frequently asked questions Can I use multiple freelance platforms simultaneously? Yes, diversifying platforms is a common strategy for income stability. Which platform is best for beginners? Fiverr is typically recommended for newcomers due to its simplicity and gig-based structure. How do I transition between platforms? Strengthen your portfolio, secure client testimonials, and gradually shift your efforts professionally. ABOUT THE AUTHOR Canan Başer Developing and implementing creative growth strategies. At Ruul, I focus on strengthening our brand and delivering real value to our global community through impactful content and marketing projects. More Benefits of remote work for disabled workers Remote work opened up many opportunities to enter the workforce for people with disabilities. Read more Invoicing and payment terms every freelancer must know Learn the invoicing and payment terms every freelancer needs to know for successful project negotiations. Get paid easily and stress-free with our guide. Read more How Does Fiverr Seller Plus Work? How Can Freelancers Use it? What is Fiverr Seller Plus and how can it strengthen your freelance career? Click to learn about the opportunities offered by the subscription system. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://www.suprsend.com/post/how-redis-solved-our-challenges-with-dynamic-task-scheduling-and-concurrent-execution-developers-guide | How Redis Solved Our Challenges with Dynamic Task Scheduling and Concurrent Execution? [Developer's Guide] Product FEATURES Template Engine Powerful template editors for all channels App Inbox Fully customizable inbox for your app & website Analytics Deep data insights on notification performance Logs Real-time notifications logs for all channels Smart Routing Reach users where they are Branding Seamlessly manage multi-brand customization Workflows Craft complex notification workflows Bifrost Run notifications natively on data warehouse Preferences Develop user focused notifications Integrations Integrate any channel and provider within mins Solutions BY USECASES Transactional Real-time alerts like authentication, activity updates Batching & Digest Aggregate multiple alerts into one Collaboration & Action Alerts on cross-user activity Scheduled Notifications One-time or recurring alerts like reminders Multi-tenant Alerts tailored to your customer's preferences Announcement / Newsletters Feature releases, achievements, product & policy updates Pricing Docs Customers Blog Login Get Started For Free Login Sign up Engineering How Redis Solved Our Challenges with Dynamic Task Scheduling and Concurrent Execution? [Developer's Guide] Praveen • February 5, 2025 TABLE OF CONTENTS The problem statement was simple, or so we thought. In our previous setup, we used goroutines for scheduling database queries, allowing us to run the whole setup on minimal setup with SQLite and go service. Seems simple enough, but when we decided to also have this feature on our SaaS platform, at the onset, we didn’t realize we would also be walking into a new set of challenges of dynamic scheduling and concurrent task execution. We needed a way to sync data in a scheduled manner from the client's data warehouse to our data store. Challenges with replicating the previous setup: To understand the issue, let's check the previous architecture more closely. Our previous architecture permitted users to link to their respective data warehouses, run database queries, and synchronize subscribers using a preset timeline (e.g., hourly, daily). This scenario appeared straightforward initially, given that we used an embedded SQLite database within the service and anticipated limited occurrences of simultaneous executions, as most customers opted to update individual tables. Also, since we used Golang, we didn’t need a separate process to handle scheduling as it was done efficiently using goroutines and a lightweight library Asynq built around this concept. Our previous setup architecture: SuprSend's previous architecture around multi-tenancy However, the complexity surfaced upon moving this functionality to our SAAS platform. We faced 2 challenges, dynamic scheduling from different processes and concurrent execution of those schedules, which would execute the query, process the results, and sync the subscribers. How did we arrive at the solution? Before going through how we arrived at the solution, let’s understand the problems more deeply. Dynamic Scheduling Imagine a scenario where anyone can schedule a task at any time, and it can be set to run via a cron schedule or at fixed intervals. The scheduler should be capable of prioritizing tasks at all times and managing them efficiently. Since the schedule can change dynamically, the heartbeat process should adapt to every change. Conceptually, this can be achieved with the help of Redis’s sorted set data structure. Redis's Sorted Set is a powerful data structure that significantly aids in scheduling tasks by enabling efficient storage and retrieval of tasks based on their execution time or priority. The Sorted Set stores elements as unique strings (members) along with their associated scores, which are floating-point numbers. Internally In Redis, sorted sets are implemented using a combination of a hash table and a skip list data structure. The hash table provides fast access to elements based on their value, while the skip list maintains the sorted order of the elements based on their scores. This dual structure allows Redis to perform operations on sorted sets efficiently. In the context of task scheduling, scores typically represent the execution time or priority of tasks. Redis maintains the Sorted Set in ascending order based on the scores The priority of a task is determined by its score, with lower scores having higher priority. This allows for fast lookup and retrieval of tasks that are due for execution. If two tasks have the same scores, they are sorted lexicographically. In the context of Redis-based schedulers, they would use Redis’s ZADD commands (to add task representation in sorted sets) and ZRANGEBYSCORE (to retrieve the highest priority task from the sorted set). Let’s understand with an example: Suppose we have a task scheduling system with different priorities (low, medium, high) and execution times. We want to schedule tasks such that high-priority tasks are executed before low-priority tasks, even if a low-priority task has an earlier execution time. To achieve this, we can use a scoring algorithm that combines the priority and execution time into a single score. Example scoring algorithm: Copy Code def calculate_score(priority, execution_time): # Convert execution_time to a UNIX timestamp unix_timestamp = execution_time.timestamp() # Assign numeric values to priorities (lower value means higher priority) priority_values = {'low': 3, 'medium': 2, 'high': 1} # Calculate the score by combining the priority value and UNIX timestamp score = unix_timestamp + (10**9 * priority_values[priority]) return score Now, let's add tasks to the Redis Sorted Set using the ZADD command: Copy Code // Connect to Redis r = redis.Redis() # Add tasks with their calculated scores r.zadd('scheduled_tasks', { 'Task A (low)': calculate_score('low', datetime(2023, 3, 15, 10, 0, 0)), 'Task B (medium)': calculate_score('medium', datetime(2023, 3, 15, 10, 15, 0)), 'Task C (high)': calculate_score('high', datetime(2023, 3, 15, 10, 30, 0)), 'Task D (low)': calculate_score('low', datetime(2023, 3, 15, 10, 45, 0)), }) To retrieve tasks due for execution, we can use the ZRANGEBYSCORE command with the current UNIX timestamp as the minimum score and a large value (e.g., +inf) as the maximum score: Copy Code import datetime # Get the current UNIX timestamp current_timestamp = datetime.datetime.utcnow().timestamp() # Retrieve tasks due for execution due_tasks = r.zrangebyscore('scheduled_tasks', current_timestamp, '+inf') This approach ensures that tasks with higher priority are executed before tasks with lower priority, even if they have later execution times. Now that the scoring and scheduling part is clear, let’s try to understand how we can leverage this to build a robust system that can schedule tasks from a separate producer process and utilize scheduler, worker, and Redis to function in sync. We would need a producer process/ processes to put the task in Redis using ZADD in Redis’s sorted set. We would need a scheduler that would continuously poll for tasks in Redis using ZRANGEBYSCORE and current timestamp and assign the task to existing workers. Finally, we would need a worker process to execute the task and produce heartbeats when the task is completed so that the scheduler can update the execution progress. In our case, the API server was our producer. Implementation: We evaluated various libraries that would utilize this unique functionality provided by Redis, and we found that rq_scheduler in Python ticks all the boxes. We also evaluated: APScheduler: It lacked a separate process for scheduler and worker, which is required since we would ideally want to decouple these processes from our main API server. Celerybeat : Celerybeat didn’t support dynamic scheduling and hence wasn’t ideal. RQ-scheduler : This implements exactly the algorithm explained above and was ideal for our use case; also, its availability in Django was a plus. Now this is how the final architecture looked like: SuprSend's new architecture around handling multi-tenancy For Concurrent DB Writes Our previous setup, SQLite, wouldn’t work for distributed applications like ours because: Concurrency Limitations: SQLite's file-based locking can cause contention issues in scenarios with high concurrent writes. File-based Locking : SQLite's reliance on file-level locks impedes concurrent write operations in a distributed environment. Limited Scalability : SQLite's serverless design becomes a bottleneck as the number of nodes and concurrent writes increases. ACID Compliance Challenges: Ensuring ACID properties across distributed nodes introduces complexities for SQLite. Data Integrity Concerns : File-based locking can lead to data corruption or loss of integrity in distributed systems. No Built-in Network Protocol: SQLite's direct communication with the local file system limits its use in distributed environments. Considering the situation where we had to handle distributed writes from multiple processes on the same db. We chose to use Redis or Postgres for our distributed application. Since each query execution involved handling multiple states and processing results in batches to alleviate server load, we opted for Postgres as our database. Postgres solves all the abovementioned issues related to distributed and concurrent writes, and scalability support, which was ideal for our use case. The only drawback was potentially a little extra compute cost to cloud providers for Postgres usage. Still, the cost paid for a bad customer experience is much larger and potentially catastrophic. Well, after architecting the solution efficiently, processing the queries, which can sometimes even fetch a billion rows (or more), was another critical problem to solve, which we solved by creating a separate service to process the tasks as seen in the architecture diagram. Which processed the tasks and sent events to SuprSend internally for subscriber addition. Anyways, this is how SuprSend architecture is working to abstract the pain of building and maintaining notification service at your end. What do you think? You could try this functionality directly on the platform. Signup now for free . If you learnt something from this content, consider sharing it with your dev friends or on Hackernews :) Share this blog on: Written by: Praveen Praveen is a seasoned backend developer with a passion for crafting efficient and scalable solutions. With 4 years of experience in software development, he specializes in building robust backend systems that power web and mobile applications. Proficient in various programming languages such as Python, Java, and Node.js, he has a knack for tackling complex problems and delivering elegant solutions. Implement a powerful stack for your notifications Get Started For Free Book Demo Company About us Signup Login Integrations Pricing Security Privacy Terms Contact Us Support SuprSend for Startups API Status Sign Up Channels Email SMS Notification Inbox Android Push iOS Push Web Push Xiaomi Push Whatsapp SDK Python SDK Node.js SDK Java SDK Android SDK React Native SDK iOS SDK Flutter SDK Go SDK Resources Documentation Changelog Blogs Write for us SMTP Error Codes SMS Providers Comparisons Email Providers Comparisons SMS Providers Alternatives Join us on Slack We are building a community of developers and product builders from across the globe to make notifications a pleasant experience. © 2025 All rights reserved. SuprStack Inc. By clicking “Accept All Cookies” , you agree to the storing of cookies on your device to enhance site navigation, analyze site usage, and assist in our marketing efforts. View our Privacy Policy for more information. Preferences Deny Accept Privacy Preference Center When you visit websites, they may store or retrieve data in your browser. This storage is often necessary for the basic functionality of the website. The storage may be used for marketing, analytics, and personalization of the site, such as storing your preferences. Privacy is important to us, so you have the option of disabling certain types of storage that may not be necessary for the basic functioning of the website. Blocking categories may impact your experience on the website. Reject all cookies Allow all cookies Manage Consent Preferences by Category Essential Always Active These items are required to enable basic website functionality. Marketing Essential These items are used to deliver advertising that is more relevant to you and your interests. They may also be used to limit the number of times you see an advertisement and measure the effectiveness of advertising campaigns. Advertising networks usually place them with the website operator’s permission. Personalization Essential These items allow the website to remember choices you make (such as your user name, language, or the region you are in) and provide enhanced, more personal features. For example, a website may provide you with local weather reports or traffic news by storing data about your current location. Analytics Essential These items help the website operator understand how its website performs, how visitors interact with the site, and whether there may be technical issues. This storage type usually doesn’t collect information that identifies a visitor. Confirm my preferences and close Get 10% OFF on your next order Subscribe to our newsletter and receive a 10% OFF coupon to use on your next order. Please check your email for your 10% OFF coupon Oops! Something went wrong while submitting the form. | 2026-01-13T08:47:53 |
https://dev.to/devdiscuss/s7-e4-should-we-all-be-thinking-about-design-justice | S7:E4 - Should we all be thinking about design justice? - 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 DevDiscuss Follow S7:E4 - Should we all be thinking about design justice? Nov 30 '21 play In this episode, we talk about design justice with Wesley Taylor, Assistant Professor at Virginia Commonwealth University and steering committee member at the Design Justice Network, and Boaz Sender, the principal at Bocoup. Show Notes Vultr (sponsor) DevNews (sponsor) CodeNewbie (sponsor) New Relic (sponsor) Microsoft 30 Days to Learn It (DevDiscuss) (sponsor) Design Justice Network Design Justice Network Principles Allied Media Conference The Consentful Tech Project Wesley Taylor Wesley Taylor is a print maker, graphic designer, musician, animator, educator, mentor, and curator. Wesley roots his practice in performance and social justice. Wesley’s individual practice is inextricably linked to his collective practices, which consists of a constellation of collectives he has helped form for over 20 years which includes Design Justice Network, Complex Movements, Talking Dolls Detroit. Wesley is currently an Assistant Professor at Virginia Commonwealth University in the Department of Graphic Design. Boaz Sender Boaz Sender is the founder of Bocoup, an inclusive technology consulting firm. Along with running Bocoup day-to-day, Boaz contributes to other projects related to art, technology, and social justice including Design Justice, StopLAPDSyping, and the Processing Foundation Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Ayush Krishna Ayush Krishna Ayush Krishna Follow Education KMEA Engineering College Joined Nov 13, 2021 • Dec 7 '21 Dropdown menu Copy link Hide individual practice is inextricably linked to his collective practices, which consists of a constellation of collectives he has helped form for over 20 years which includes Design Justice Network, Complex Movements, Talking Dolls Detroit. Wesley is currently an Assistant Professor at Virginia Commonwealth University in the Department of Graphic Design.Boaz Sender Boaz Sender is the founder of Bocoup, an inclusive technology consulting firm. Along with running Bocoup day-to-day, Boaz contributes to other projects related to art, technology, and social justice including Design Justice, StopLAPDSyping, and the Processing Foundation Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Fiewor John Fiewor John Fiewor John Follow Joined Nov 11, 2021 • Dec 8 '21 Dropdown menu Copy link Hide Awesome discussion. Really enjoyed the overall idea of proactively building, even from design stage with the community in mind. The whole idea of thinking about the impact of decisions on the community being affected by these decisions is entirely amazing. And love that Boaz mentioned the way you can practically apply these design thinking principles in your processes. I'm new in the tech world (looking for my first job), but I'm thrilled that humane discussions and actions based on these discussions are a thing! Like comment: Like comment: 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:53 |
https://developers.reddit.com/apps/toolboxnotesxfer | Toolbox Notes Transfer | Reddit for Developers Readme A Devvit app to transfer and synchronise Toolbox usernotes to native Reddit mod notes This app supports bulk transfer of notes from Toolbox to Reddit mod notes as well as live synchronisation between usernotes and mod notes. If sync is off then further incremental transfers can be done after the initial bulk. If you already use Toolbox usernotes and intend to do a bulk transfer, I strongly recommend starting the bulk transfer BEFORE you turn on synchronisation settings. This will result in the most reliable mapping of Toolbox note types to native mod note categories, especially if you have customised Toolbox's note types. Bulk Transfer This app can transfer Toolbox usernotes to Reddit mod notes in bulk. To start a transfer, click the subreddit context menu and choose "Start Usernotes Transfer". You may be prompted to map your Toolbox usernote categories to native Reddit ones, depending on how your sub has configured Toolbox. If you do not choose a mapping for a usernote category, notes with that category will be transferred without a note type set. Notes will then transfer in the background. Depending on the number of usernotes on your subreddit, it can take a substantial amount of time, ranging from minutes to hours on subreddits that have used notes heavily for years. Once all notes have transferred, this app will create a "Mod Discussions" conversation in Modmail informing you that it's done. If you press the "Start Transfer" button again while a transfer is in progress, it won't start again. You will instead be told how many users still need notes transferring. If you try and start a new transfer after a transfer has completed, the app will check for usernotes made since the previous transfer and only transfer those. Additional incremental transfers Once an initial bulk transfer has completed, you can use the same process to transfer any additional notes added since the first transfer completed. Live synchronisation of new Toolbox usernotes with Reddit mod notes You can choose to synchronise newly added Toolbox notes to Reddit mod notes (and in reverse) as they are added. This must be enabled in app settings. Synchronisation may be done even if a bulk transfer has not been done, but I recommend doing a bulk transfer early on if you intend to do one anyway. This ensures that mappings between Toolbox note types and Reddit note types are more reliable. Only new additions are processed. Deletions are not currently handled. Limitations This app can only record mod notes as if they were added at the time of transfer, and by /u/toolboxnotesxfer. This means that the dates/times of notes will always be wrong unless the note was transferred via the sync process. As a result, all Toolbox usernotes transferred using this method will have text appended e.g. "original note text, added by actualmod on 2024-03-15". If the usernote was added on the same day that the transfer occurs, the date will be omitted. If a note is linked to content other than a post or comment (e.g. a note created from modmail), that link will be removed (Reddit's mod notes can only link to posts or comments). Usernotes can only be transferred for active users. Suspended, shadowbanned and deleted users will be skipped. Source Code This app is open source, you can find it on GitHub here . Change History v1.1.3 Update Devvit version (no user facing changes) v1.1.2 Fixes a security vulnerability relating to menu items v1.1.1 Use more reliable method of pacing note transfers. v1.0.3 Transfer older notes first, so that they appear in the right order Send post-transfer modmail to inbox, not Mod Discussions v1.0.1 Fixed a bug that caused a generic error message when Toolbox isn't fully configured, or there are no usernotes About this app fsv Creator App identifier toolboxnotesxfer Version 1.1.3 Send feedback Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. Company Reddit, Inc. Reddit for Business Careers Press Contact Blog Community Reddit.com Reddit for Community Content Policy Help Center Moderator Code of Conduct Privacy & Safety Privacy Policy User agreement Transparency Report r/redditsecurity Other Terms and Policies Copyright 2026 Reddit Inc. All rights reserved. | 2026-01-13T08:47:53 |
https://dev.to/adventures_in_devops/stream-processing-with-chris-cooney-devops-157#main-content | Stream Processing with Chris Cooney - DevOps 157 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Adventures in DevOps Follow Stream Processing with Chris Cooney - DevOps 157 Apr 7 '23 play Chris Cooney is a Developer Advocate who works at Coralogix. He joins the show to talk about "Stream Processing and Why it's so Important for Observability". He begins by explaining what is stream processing and its significant role. On YouTube Stream Processing with Chris Cooney - DevOps 157 Sponsors Porkbun.com | DevOps Raygun - Application Monitoring For Web & Mobile Apps Become a Top 1% Dev with a Top End Devs Membership Links LinkedIn: Chris Cooney Twitter: @chris_cooney Advertising Inquiries: https://redcircle.com/brands Privacy & Opt-Out: https://redcircle.com/privacy Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:53 |
http://nospec.com | No!Spec | don’t underestimate your worth About About NO!SPEC Spec work and spec-based design contests are a growing concern. So in an effort to educate those working in the Visual Communication industry and the clients who use their services, a group of designers banded together to bring the NO!SPEC Campaign to the public. With legitimate design opportunities turning into calls for spec work at an increasing rate, it is our goal to arm designers with the tools they need to take a stand against this trend. We also aim to provide businesses with information on why spec work harms our industry. The NO!SPEC Campaign includes: interfacing with designers, educators, businesses and organizations; creating NO!SPEC promotional materials; sending protest letters; writing petitions and posts, and more. With the international support of NO!SPEC we ask that you join us in promoting professional, ethical business practices by saying NO! to spec. If you are unfamiliar with the term spec work, read What is spec? and FAQ About Spec Work before dipping into the rest of the site. But before embarking on the NO!SPEC initiative, please read our participation protocols and disclaimers. Questions or suggestions? Then go ahead and contact us. Articles Contact Please be patient. The nocturnal gremlin running this site is usually swamped, so a reply may will take awhile.[contactform] What is spec work? Spec work is any kind of creative work, either partial or completed, submitted by designers to prospective clients before designers secure both their work and equitable fees. Under these conditions, designers will often be asked to submit work in the guise of a contest or an entry exam on existing jobs as a “test” of their skill. In addition, designers normally lose all rights to their creative work because they failed to protect themselves with a contract or agreement. The clients often use this freely-gained work as they see fit without fear of legal repercussion. Why is spec work unethical? The designers work for free and with an often falsely advertised, overinflated promise for future employment; or are given other insufficient forms of compensation. Usually these glorified prizes or “carrots” appear tantalising for designers who are just starting out, accompanied by statements such as “good for your portfolio” or “gain recognition and exposure.” In reality, winning or losing rarely results in extra work, profit or referrals. Moreover, designers must often agree to waive ownership of their work to the people who are promoting this system. A verbal agreement is ineffective in protecting the rights of designers in a court of law. As a result, the client will often employ other designers using similar unprincipled tactics to change and/or resell the creative work as their own. This promotes the practice of designers ridiculously undercharging themselves in the hope of “outbidding” potential rivals, in the process devaluing their skills and those of the design profession. Promoting this method encourages some clients to continue preying on uninformed designers for menially valued labour. Is my contest spec work? To answer the question, ask yourself: Will I equitably pay a winning designer for the work rendered as if they were hired under contract to do the same thing? Will I negotiate proper compensation for the usage rights commensurate to the designer’s level of skill? Will I return the working files and usage rights to all submitted designs, especially if they don’t win? If the answer is “no” to any of these questions then your contest likely promotes speculative work. Moreover, any contest that expects a designer to work for free (especially in the case of the “losers”) encourages the undervaluing of a designer’s labour, which ultimately undermines the quality of any professional workplace. What’s wrong with a contest? Aside from giving clients the impression that design doesn’t have much worth, it also penalises the clients themselves. Through contests designers can’t undertake proper market research required by the project, and as such can’t produce the most effective outcome for the client, who then chooses on the basis of “the prettiest design.” Designers are the ones with the training, the ones with the marketing experience. They should be able to know all there is about clients’ needs, to be able to guide clients and produce the most appropriate work. You wouldn’t tell your lawyer how to defend you in a trial, or tell a mechanic how to do his or her job. You research their history, hire them, then let them work. That’s what designers’ portfolios are for — giving clients the best opportunity to hire the right person. Why shouldn’t I hold a contest to get my logo? As mentioned above, behind every design there’s market research. A logo isn’t just a pretty symbol printed on top of a baseball cap; it’s what represents you and your company. It is the thing that will instantly identify you and it has to convey the right message to the right people. A contest doesn’t grant designers the necessary time or compensation to undertake necessary research. Why should I pay a professional to do work I might like when I can get lots of submissions from a contest? Apart from promoting free labour, you impede the designer from earning a proper salary. Would you work for free with the hope of possibly being compensated? Also consider that contests largely attract inexperienced designers who are under pressure due to unreasonable time restraints and competition. You run the huge risk of ultimately receiving poorly executed designs that inadequately represent your business amongst your competitors and for future customers. It could end up costing you in the long run in terms of lost revenue and other factors. A professional will work toward developing effective tailored design solutions reflective of their years of training and experience. Can you explain usage rights? The rights of any design work are explained in a contract or project agreement. Designers normally give you rights for the logo idea and for the use of final artwork. If you take a concept without paying, and give it to someone else who will “do it for free,” that’s copyright infringement. Unless otherwise agreed in the contract, you don’t have the right to take someone’s idea, or the files used to create it (unless provided by you) and modify them on your own without compensating the creator. If you want to modify something without the designer’s intervention, you need agreement from the designer. You should expect to be charged accordingly for using work that needed someone’s time and resources. What is a design/logo mill? Unfortunately there is a disturbing trend affecting the design community where companies using contests as their business model pit designers against each other, like roosters in a ring. Designers who fall into this unproductive cycle eventually crank out massive strings of poorly conceived, ineffectively executed, and in a growing number of cases, plagiarised work from other professionals in order to win as many “prizes” as possible. The more they crank out, the more chance they have of actually earning any money. What they don’t understand is that those who run these deplorable mills pay designers a comparable pittance to what they themselves earn with their markup, making a very substantial profit in the process. Think of a sweatshop or pyramid scheme where the few benefit over the many. In the end, the losers are both the creator and the consumer, who sacrifice quality for the sake of a “bargain.” If I can’t decide whether I like a design before I pay for it, how do I know I am going to get a good one? This is why it pays to use a professional designer. Professional designers are just that — professionals, experts in their craft. It’s their job to do good work. How do you tell one designer from another? Look at their portfolios. You can find a long list of portfolios through various professional organisations, such as the AIGA, GAG, CL, SGDC. Try searching for “design association” or similar in your country. Here’s a useful resource in the davidairey.com archives — where to find the right designer . Look at a number of portfolios and narrow it down to those whose style fits what you think will be effective for your business. Then contact the designer(s) to discuss your project. Once you get a feel for their work and personality, you will quickly be able to determine if you can form a good working relationship. If you have questions or suggestions, feel free to get in touch . No!Spec Don’t underestimate your worth | 2026-01-13T08:47:53 |
https://dev.to/adventures_in_devops/devops-as-a-service-with-benjamin-johnson-devops-155#main-content | DevOps as a Service with Benjamin Johnson - DevOps 155 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Adventures in DevOps Follow DevOps as a Service with Benjamin Johnson - DevOps 155 Mar 25 '23 play Benjamin Johnson is the CEO and Founder of Particle41. He joins the show alongside Jonathan and Will to talk about his company. He starts off as he shares his journey in establishing and maintaining Particle41. Additionally, he talks about how they use DevOps as a service and how they meet their client's needs. Sponsors Porkbun.com | DevOps Developer Book Club starting Become a Top 1% Dev with a Top End Devs Membership Links Get Your Next Technology Project to Market with Particle41 Socials Benjamin Johnson LinkedIn Benjamin Johnson Picks Benjamin - Atomic Habits Jonathan - Cup o' Go Will - We stand to save $7m over five years from our cloud exit Advertising Inquiries: https://redcircle.com/brands Privacy & Opt-Out: https://redcircle.com/privacy Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:53 |
https://dev.to/action-in-action/behavorial-change-is-the-heart-of-agile#main-content | Behavorial change is the heart of agile - 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 Agile in Action with Bill Raymond Follow Behavorial change is the heart of agile Aug 1 '23 play 🎙️ Focus 🧘, Customer 🧍, and Collaboration 🤝 are major drivers for success in Elavon / US Bank's shift to Agility In today's podcast, Jan Otterbach talks about the importance of behavioral change when adopting agile principles. Working at Elavon Europe / US Bank, Jan's team focuses on behavioral change, thinking about new ways to work, and building teams from a place of trust and psychological safety. All that has paid off by adding value for the bank and being recognized with a prestigious Agile Business Consortium 🏆 award. Sharing real-world examples, Jan Otterbach and Bill Raymond discuss the real potential of agile, including organizational units outside the traditional software development roles. In this podcast, you will learn the following: ✅ Why the Elavon Europe / US Bank team is making the shift to agile ✅ How they started their journey and where we are today ✅ How they successfully delivered value to their vendors in record time 🎉 The three behaviors they focus on every day (and believe you should too) 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:53 |
https://dev.to/dotnet-rocks/github-copilot-update-with-michelle-duke#main-content | GitHub Copilot Update with Michelle Duke - 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 .NET Rocks! Follow GitHub Copilot Update with Michelle Duke Apr 4 '24 play GitHub Copilot has been out for a few years now - how is it going? Carl and Richard talk to Michelle Duke about what's been happening with GitHub Copilot. Michelle discusses the new features in GitHub Copilot, including Chat, which gives you more of a ChatGPT-like interface while still being focused strictly on code, including your code! Then, the conversation digs into the broader ideas around large language models and the perception of artificial intelligence affecting the entire world. A lot is going on! 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:53 |
https://crypto.forem.com/subforems | Subforems - Crypto 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 Crypto Forem Close Subforems DEV Community A space to discuss and keep up software development and manage your software career Follow Future News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Follow Open Forem A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Follow Gamers Forem An inclusive community for gaming enthusiasts Follow Music Forem From composing and gigging to gear, hot music takes, and everything in between. Follow Vibe Coding Forem Discussing AI software development, and showing off what we're building. Follow Popcorn Movies and TV Movie and TV enthusiasm, criticism and everything in-between. Follow DUMB DEV Community Memes and software development shitposting Follow Design Community Web design, graphic design and everything in-between Follow Security Forem Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Follow Golf Forem A community of golfers and golfing enthusiasts Follow Crypto Forem A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Follow Parenting A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Follow Forem Core Discussing the core forem open source software project — features, bugs, performance, self-hosting. Follow Maker Forem A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. Follow HMPL.js Forem For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Follow 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Crypto Forem — A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. 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 . Crypto Forem © 2016 - 2026. Uniting blockchain builders and thinkers. Log in Create account | 2026-01-13T08:47:53 |
https://blog.llvm.org/posts/2025-08-25-abi-library/ | GSoC 2025: Introducing an ABI Lowering Library - The LLVM Project Blog The LLVM Project Blog LLVM Project News and Details from the Trenches About Posts Tags llvm.org GSoC 2025: Introducing an ABI Lowering Library By Narayan Sreekumar (vortex73) Nov 3, 2025 #GSoC , #abi , #codegen , #sysv 7 minute read Introduction In this post I’m going to outline details about a new ABI lowering library I’ve been developing for LLVM as part of GSoC 2025! The aim was to extract the ABI logic from Clang and create a reusable library that any LLVM frontend can use for correct C interoperability. The Problem We’re Solving At the start of the program, I wrote about the fundamental gap in LLVM’s target abstraction . The promise is simple: frontends emit LLVM IR, and LLVM handles everything else. But this promise completely breaks down when it comes to Application Binary Interface (ABI) lowering. Every LLVM frontend that wants C interoperability has to reimplement thousands of lines of target-specific ABI logic. Here’s what that looks like in practice: struct Point { float x, y; }; struct Point add_points ( struct Point a, struct Point b); Seems innocent enough, right? But generating correct LLVM IR for this requires knowing: Are the struct arguments passed in registers or memory? If in registers, what register class is used? Are multiple values packed into a single register? Is the struct returned in registers or using a hidden return parameter? The answer depends on subtle ABI rules that are target-specific, constantly evolving, and absolutely critical to get right. Miss one detail and you get silent memory corruption. This godbolt link shows the same simple struct using six different calling conventions across six different targets. And crucially: a frontend generating IR needs to know ALL of this before it can emit the right function signature. As I outlined in my earlier blog post, LLVM’s type system simply can’t express all the information needed for correct ABI decisions. Two otherwise identical structs with different explicit alignment attributes have different ABIs. __int128 and _BitInt(128) look similar but follow completely different rules. The Design Independent ABI Type System At the heart of the library is llvm::abi::Type , a type system designed specifically for ABI decisions: class Type { protected : TypeKind Kind; TypeSize SizeInBits; Align ABIAlignment; public : TypeKind getKind() const { return Kind; } TypeSize getSizeInBits () const { return SizeInBits; } Align getAlignment () const { return ABIAlignment; } bool isInteger () const { return Kind == TypeKind :: Integer; } bool isStruct () const { return Kind == TypeKind :: Struct; } // ... other predicates that matter for ABI }; It contains more information than LLVM IR types (which for instance doesn’t distinguish between __int128 and _BitInt(128) , both just i128 ), but less information than frontend types like Clang’s QualType (which carry parsing context, sugar, and other frontend-specific concerns that don’t matter for calling conventions). class IntegerType : public Type { private : bool IsSigned; bool IsBitInt; // Crucially different from __int128! public : IntegerType( uint64_t BitWidth, Align Align, bool Signed, bool BitInt = false); }; Frontend-to-ABI Mapping The QualTypeMapper class handles the job of converting Clang frontend types to ABI types. The ABI library is primarily intended to handle the C ABI. The C type system is relatively simple, and as such the type mapping from frontend types to ABI types is straightforward : integers map to IntegerType , pointers map to PointerType , and structs map to StructType with their fields and offsets preserved. However, Clang also needs support for the C++ ABI, and the type mapping for this case is significantly more complicated. C++ object layout involves vtables, base class subobjects, virtual inheritance, and all sorts of edge cases that need to be preserved for correct ABI decisions. Here’s an excerpt showing how QualTypeMapper tackles C++ inheritance: const llvm :: abi :: StructType * QualTypeMapper :: convertCXXRecordType( const CXXRecordDecl * RD, bool canPassInRegs) { const ASTRecordLayout & Layout = ASTCtx.getASTRecordLayout(RD); SmallVector < llvm :: abi :: FieldInfo, 16 > Fields; SmallVector < llvm :: abi :: FieldInfo, 8 > BaseClasses; SmallVector < llvm :: abi :: FieldInfo, 8 > VirtualBaseClasses; // Handle vtable pointer for polymorphic classes if (RD -> isPolymorphic()) { const llvm :: abi :: Type * VtablePointer = createPointerTypeForPointee(ASTCtx.VoidPtrTy); Fields.emplace_back(VtablePointer, 0 ); } // Process base classes with proper offset calculation for ( const auto & Base : RD -> bases()) { const llvm :: abi :: Type * BaseType = convertType(Base.getType()); uint64_t BaseOffset = Layout.getBaseClassOffset( Base.getType() -> castAs < RecordType > () -> getAsCXXRecordDecl() ).getQuantity() * 8 ; if (Base.isVirtual()) VirtualBaseClasses.emplace_back(BaseType, BaseOffset); else BaseClasses.emplace_back(BaseType, BaseOffset); } // ... field processing and final struct creation } Other frontends that only need C interoperability will have a much simpler mapping task. Target-Specific Classification Each target implements the ABIInfo interface. I’ll show the BPF implementation here since it’s one of the simplest ABIs in LLVM, the classification logic fits in about 50 lines of code with straightforward rules: small aggregates go in registers, larger ones are passed indirectly. Its worth noting that most real-world ABIs are not this simple - for instance targets like X86-64 are significantly more complex. class BPFABIInfo : public ABIInfo { private : TypeBuilder & TB; public : BPFABIInfo(TypeBuilder & TypeBuilder) : TB(TypeBuilder) {} ABIArgInfo classifyArgumentType ( const Type * ArgTy) const { if (isAggregateTypeForABI(ArgTy)) { auto SizeInBits = ArgTy -> getSizeInBits().getFixedValue(); if (SizeInBits == 0 ) return ABIArgInfo :: getIgnore(); if (SizeInBits <= 128 ) { const Type * CoerceTy; if (SizeInBits <= 64 ) { auto AlignedBits = alignTo(SizeInBits, 8 ); CoerceTy = TB.getIntegerType(AlignedBits, Align( 8 ), false); } else { const Type * RegTy = TB.getIntegerType( 64 , Align( 8 ), false); CoerceTy = TB.getArrayType(RegTy, 2 , 128 ); } return ABIArgInfo :: getDirect(CoerceTy); } return ABIArgInfo :: getIndirect(ArgTy -> getAlignment().value()); } if ( const auto * IntTy = dyn_cast < IntegerType > (ArgTy)) { auto BitWidth = IntTy -> getSizeInBits().getFixedValue(); if (IntTy -> isBitInt() && BitWidth > 128 ) return ABIArgInfo :: getIndirect(ArgTy -> getAlignment().value()); if (isPromotableInteger(IntTy)) return ABIArgInfo :: getExtend(ArgTy); } return ABIArgInfo :: getDirect(); } }; The key difference is that the ABI classification logic itself is completely independent of Clang . Any LLVM frontend can use it by implementing a mapper from their types to llvm::abi::Type . The library then performs ABI classification and outputs llvm::abi::ABIFunctionInfo with all the lowering decisions. For Clang specifically, the ABITypeMapper converts those llvm::abi::Type results back into llvm::Type and populates clang::CGFunctionInfo , which then continues through the normal IR generation pipeline. Results The library and the new type system are implemented and working in the PR #140112 , currently enabled for BPF and X86-64 Linux targets. You can find the implementation under llvm/lib/ABI/ with Clang integration in clang/lib/CodeGen/CGCall.cpp . Here’s what we’ve achieved so far: Clean Architecture The three-layer separation is working beautifully. Frontend concerns, ABI classification, and IR generation are now properly separated: // Integration point in Clang if (CGM.shouldUseLLVMABI()) { SmallVector < const llvm :: abi :: Type * , 8 > MappedArgTypes; for (CanQualType ArgType : argTypes) MappedArgTypes.push_back(getMapper().convertType(ArgType)); tempFI.reset(llvm :: abi :: ABIFunctionInfo :: create( CC, getMapper().convertType(resultType), MappedArgTypes)); CGM.fetchABIInfo(getTypeBuilder()).computeInfo( * tempFI); } else { CGM.getABIInfo().computeInfo( * FI); // Legacy path } Performance Considerations Addressed My earlier blog post worried about the overhead of “an additional type system.” The caching strategy handles this elegantly: const llvm :: abi :: Type * QualTypeMapper :: convertType(QualType QT) { QT = QT.getCanonicalType().getUnqualifiedType(); auto It = TypeCache.find(QT); if (It != TypeCache.end()) return It -> second; // Cache hit - no recomputation const llvm :: abi :: Type * Result = /* conversion logic */ ; if (Result) TypeCache[QT] = Result; return Result; } Combined with BumpPtrAllocator for type storage, the performance impact is minimal in practice. The results are encouraging. Most compilation stages show essentially no performance difference (well within measurement noise). The 0.20% regression in the final Clang build times is expected - we’ve added new code to the codebase. But the actual compilation performance impact is negligible. Future Work There’s still plenty to explore: Upstreaming the progress so far… The work is being upstreamed to LLVM in stages, starting with PR #158329 . This involves addressing reviewer feedback, ensuring compatibility with existing code, and validating that the new system produces identical results to the current implementation for all supported targets. Extended Target Support Currently the ABI library supports the BPF and X86-64 SysV ABIs, but the architecture makes adding ARM, Windows calling conventions, and other targets straightforward. Cross-Frontend Compatibility The real test will be when other frontends start using the library. We need to ensure that all frontends generate identical calling conventions for the same C function signature. Better Integration There are still some rough edges in the Clang integration that could be smoothed out. And other LLVM projects could benefit from adopting the library. Acknowledgements This work wouldn’t have been possible without my amazing mentors, Nikita Popov and Maksim Levental, who provided invaluable guidance throughout the project. The LLVM community’s feedback on the original RFC was instrumental in shaping the design. Special thanks to everyone who reviewed the code, provided feedback, and helped navigate all the ABI corner cases. The architecture only works because it’s built on decades of accumulated ABI knowledge that was already present in LLVM and Clang. Looking back at my precursor blog post from earlier this year, I’m amazed at how much the design evolved during implementation. What started as a relatively straightforward “extract Clang’s ABI code” became a much more ambitious architectural rework. But the result is something that’s genuinely useful for the entire LLVM ecosystem. GSoC 2025: Usability Improvements for the Undefined Behavior Sanitizer GSoC 2025: Rich Disassembler for LLDB llvm.org | Rendered by Hugo | Subscribe | 2026-01-13T08:47:53 |
https://dev.to/apisyouwonthatepodcast/stigg-infrastructure-for-pricing-models-with-anton-zagrebelny#main-content | Stigg: Infrastructure for pricing models with Anton Zagrebelny - 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 Stigg: Infrastructure for pricing models with Anton Zagrebelny Mar 7 '23 play Stigg: https://www.stigg.io/ - API-first pricing and packaging Stigg is Hiring: https://jobs.lever.co/stigg Find Anton Zagrebelny onlin: Linkedin - GitHub — Thanks for listening to APIs You Won't Hate Creators & Guests Mike Bifulco @irreverentmike@hachyderm.io - Host Anzon Zagrebelny - Guest 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:53 |
https://platformcon.com/ | PlatformCon 2026 | The #1 platform engineering event Program LIVE DAY LDN LIVE DAY NYC Live Day Paris Call for Proposals Register Where builders meet enterprise 22 - 26 June 2026 REgister 50k+ PRACTITIONERS 200+ SPEAKERS 300+ Sessions 5 days of Content Legendary speakers Kelsey Hightower Distinguished Engineer & Developer Advocate Gregor Hohpe Architect Elevator Nicki Watt CTO, Trifork UK Caroline Wong Director of Security, Teradata Luca Galante Core contributor, Platform Engineering Join leading enterprise teams Get tickets Get tickets Get tickets The #1 platform engineering event in the world is back 🚀 With brand new formats.. Panel conversations discussing trends and best practices specific to different industries and platform personas THE largest stage in platform engineering with top speakers from our industry Actual good conference food (yes, really) and fun closing events powered by our community DJ beats Curated networking formats to connect with other platform teams and practitioners Hands-on workshops and platform engineering training to get your hands dirty and advance in your platform journey, together with your colleagues Register for PlatformCon 2026 Sign up for free to access all virtual formats throughout PlatformCon week. Check out the Live Day pages to secure tickets for the in-person events. The #1 community globally Join 50k+ platform engineers for the largest platform event of the year 100s of hours of content 200+ virtual talks and 50+ virtual workshop you can access for free In person platform galore 2x Live Days with 1000s of practitioners meeting in person in NYC and London REgister Past sponsors include Become a Sponsor Navigation Program Call for Proposals Live Day London Live Day New York Live Day Paris FAQs Code of Conduct Past years PlatformCon 2025 PlatformCon 2024 PlatformCon 2023 PlatformCon 2022 Join Us Youtube LinkedIn Platform Weekly Twitter © 2025 All rights reserved. Privacy Policy Powered by Register Become a sponsor | 2026-01-13T08:47:53 |
https://replit.com/ | Replit – Build apps and sites with AI - Replit Products Agent Design Databases Publish Apps Security Integrations Mobile For Work Teams Replit for teams to build together Enterprise Replit with Enterprise-grade security & controls Use Cases Business Apps Rapid Prototyping Roles Enterprise PM Designers Operations Software Developers Small Businesses SMB Owners Founders Resources Documentation Community Expert Network Customer Stories Gallery Blog News Pricing Careers Contact sales Log in Create account Products Agent Design Databases Publish Apps Security Integrations Mobile For Work Teams Replit for teams to build together Enterprise Replit with Enterprise-grade security & controls Use Cases Business Apps Rapid Prototyping Roles Enterprise PM Designers Operations Software Developers Small Businesses SMB Owners Founders Resources Documentation Community Expert Network Customer Stories Gallery Blog News Pricing Careers Contact sales Log in Create account What will you build? App Design Start Start with an idea AI Apps Websites Business Apps Personal Software Use this idea AI Chat AI Apps Replit Use this idea Brainstorming buddy AI Apps Replit Use this idea Recipe generator AI Apps Replit Use this idea Landing page Websites Replit Use this idea Portfolio Websites Replit Use this idea Link-in-bio Websites Replit Use this idea KPI dashboard Business Apps Replit Use this idea Roadmap planner Business Apps Replit Use this idea Ecommerce store Business Apps Replit Use this idea Habit tracker Personal Software Replit Use this idea Local landmarks Personal Software Replit Use this idea Electronic synth Personal Software Replit Build smarter, ship faster Workflow Automation Automate the routine, focus on what matters. Create agents and automations to handle repetitive or operational work. Plug them into tools & data you already use, and build bots or automations that save you time to focus on what truly matters Agent Chat Describe it. Publish It. Improve it. Tell the Agent what you're building — it writes real production-ready code, evolves it as you iterate, and stays out of your way while you build. Design Controls Granular controls so your app matches your vision. Import your designs or integrate your design system, refine in a live visual editor, and ship instantly with no friction. What you design is exactly what users see. Full-Stack Infrastructure Built-in services and powerful integrations with zero setup Built-in Authentication, Database, Hosting, and Monitoring — ready to go from day one. Need Stripe or OpenAI? They plug in cleanly, securely, no API keys required. Enterprise Controls Security & controls that scale to enterprise. SSO/SAML, SOC2 & all the standard Enterprise admin controls. Plus, pre deployment security screening, secure in-built services and better defaults to ensure the apps you build remain secure too. Learn how to get the most out of Replit Explore our Docs Our collaboration with Replit democratizes application development Our collaboration with Replit democratizes application development enabling business teams across enterprises to innovate and solve problems without traditional technical barriers. Our relationship exemplifies our commitment to making powerful development tools accessible to everyone. Deb Cupp President, Microsoft Americas replit.com Replit gets you from 0→1 in breakneck speed If I went to my developer and said, make this, it would probably take him a week of his time. I did it in an hour or two Preston Zeller Chief Growth Officer, Batchdata replit.com I asked Replit to "clone LinkedIn" just to see how far it would get with a single prompt. The result? A surprisingly functional prototype. It's a powerful reminder: with the right framing, today's AI tools can turn a single idea into working software. Reid Hoffman Co-founder, LinkedIn www.linkedin.com I can honestly say that if it weren't for Replit and that prototype that I was able to build in two weeks, it just wouldn't have happened. The opportunity would have perished. Someone else would have done it first... Replit for us was the way to actually do it. And it actually completely and utterly changed the trajectory of our company in a massive way. Scott Stevenson Co-founder & CEO, Spellbook replit.com Ok, I'm addicted to Replit For my entire design career, I've always had to hire developers to do even the most basic stuff for me. Having an absolute blast having a free AI programmer at my behest. Andrew Wilkinson Co-founder, Tiny x.com The ability to go from idea to working application in minutes has opened new possibilities for innovation across our portfolio. We're seeing apps built in 45 minutes that saves our team hours every week. Key Vaidya Portfolio CTO, HG Capital replit.com Our collaboration with Replit democratizes application development Our collaboration with Replit democratizes application development enabling business teams across enterprises to innovate and solve problems without traditional technical barriers. Our relationship exemplifies our commitment to making powerful development tools accessible to everyone. Deb Cupp President, Microsoft Americas replit.com I asked Replit to "clone LinkedIn" just to see how far it would get with a single prompt. The result? A surprisingly functional prototype. It's a powerful reminder: with the right framing, today's AI tools can turn a single idea into working software. Reid Hoffman Co-founder, LinkedIn www.linkedin.com I can honestly say that if it weren't for Replit and that prototype that I was able to build in two weeks, it just wouldn't have happened. The opportunity would have perished. Someone else would have done it first... Replit for us was the way to actually do it. And it actually completely and utterly changed the trajectory of our company in a massive way. Scott Stevenson Co-founder & CEO, Spellbook replit.com Replit gets you from 0→1 in breakneck speed If I went to my developer and said, make this, it would probably take him a week of his time. I did it in an hour or two Preston Zeller Chief Growth Officer, Batchdata replit.com Ok, I'm addicted to Replit For my entire design career, I've always had to hire developers to do even the most basic stuff for me. Having an absolute blast having a free AI programmer at my behest. Andrew Wilkinson Co-founder, Tiny x.com The ability to go from idea to working application in minutes has opened new possibilities for innovation across our portfolio. We're seeing apps built in 45 minutes that saves our team hours every week. Key Vaidya Portfolio CTO, HG Capital replit.com Plans & Pricing Monthly Yearly Save $60 Starter Free Explore the possibilities of making apps on Replit. Sign up Replit Agent trial included 10 development apps (with temporary links) Private and public apps Limited build time, without long full autonomy Replit Core $20 per month billed annually Make, launch, and scale your apps. Join Replit Core Full Replit Agent access $25 of monthly credits Private and public apps Access to latest models Publish and host live apps Pay-as-you-go for additional usage Autonomous long builds Teams $35 per user , per month billed annually Bring the power of Replit to your entire team. Join Replit Teams Everything included with Replit Core $40/mo in usage credits included Credits granted upfront on annual plan 50 Viewer seats Centralized billing Role-based access control <span class=" useView-module__etopAW__view M | 2026-01-13T08:47:53 |
https://www.linkedin.com/in/luca-galante/ | Luca Galante - Contributor @ Platform Engineering | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Join for free Sign in to view Luca’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Luca Galante Sign in to view Luca’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Contributor @ Platform Engineering Berlin, Berlin, Germany Contact Info Sign in to view Luca’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . 17K followers 500+ connections See your mutual connections View mutual connections with Luca Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Join to view profile Message Sign in to view Luca’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Platform Engineering The Berlin School of Economics and Law Report this profile About Platform engineering is eating the [enterprise] world. From the base infrastructure layer all the way up to individual team workflows and AI agents, top performers run on multiple platforms stacked on one another to drive standardization and automation across the entire enterprise. Our community is at the helm of this revolution, connecting practitioners and leaders to establish clear blueprints, best practices and frameworks you can use to drive meaningful org transformations for your teams. Articles by Luca 10 Platform engineering predictions for 2026 Jan 7, 2026 10 Platform engineering predictions for 2026 Over the past year, more than 100,000 of you have joined me every week to dissect our platform engineering world. I’ve… 26 1 Comment I spoke to 518 platform engineers. This is the data. Dec 22, 2025 I spoke to 518 platform engineers. This is the data. The State of Platform Engineering Vol.4 is live! The biggest and most important part of what I do is speak to platform… 17 How to pick your container platform Dec 17, 2025 How to pick your container platform I’ve just finished catching up on all the community content from AWS re:Invent that I missed, and one topic stuck out… 11 Your platforms biggest blind spot? Test data. Dec 10, 2025 Your platforms biggest blind spot? Test data. In the last year, the community has grown by almost 70,000 people. That number is driven overwhelmingly by the influx… 37 What's happening at re:Invent? Dec 3, 2025 What's happening at re:Invent? It’s that time of year, friends. And no, we’re not talking about Christmas markets, mulled wine and dubiously cooked… 13 1 Comment How to measure platform ROI and save €2M+ Nov 26, 2025 How to measure platform ROI and save €2M+ We all know the platform isn't just a cost center… It's a rocket ship. But here’s the problem. 31 2 Comments We came, we saw, we Kube'd. Nov 19, 2025 We came, we saw, we Kube'd. KubeCon Atlanta, you’ve been incredible! And we truly took you by storm. I say this every Platform Weekly post KubeCon,… 34 Platform engineers are building everything (except testing) Nov 12, 2025 Platform engineers are building everything (except testing) Platform engineers these days seem to be building everything. We’re shifting security and observability down into the… 19 5 Comments Become a certified platform architect Nov 5, 2025 Become a certified platform architect We’ve had over 1,000 students take our platform engineering certifications, and I’m extremely excited to announce the… 21 State of Platform Engineering 2025 Oct 29, 2025 State of Platform Engineering 2025 For the last 4 years, I have surveyed the platform engineering community (Now 270k+) to understand what our universe… 25 1 Comment Show more See all articles Activity Follow Sign in to view Luca’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . I’ve been looking at PlatformCon ticket numbers this week and honestly… it’s been pretty wild. We’ve already sold more than 50% of the tickets for… I’ve been looking at PlatformCon ticket numbers this week and honestly… it’s been pretty wild. We’ve already sold more than 50% of the tickets for… Shared by Luca Galante There's one big thing no one tells you about platform engineering: you’re not just building a platform - you’re running a political… There's one big thing no one tells you about platform engineering: you’re not just building a platform - you’re running a political… Liked by Luca Galante We just released the State of Platform Engineering Vol. 4, and it’s easily the most practical report we’ve published so far. This isn’t a “platform… We just released the State of Platform Engineering Vol. 4, and it’s easily the most practical report we’ve published so far. This isn’t a “platform… Shared by Luca Galante Join now to see all activity Experience *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Core Contributor *]:mb-0 not-first-middot leading-[1.75]"> Platform Engineering *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Jan 2021 - Present 5 years 1 month Austin, Texas, United States The largest platform engineering community in the world. 200k+ platform practitioners debating the latest trends in the Platform Engineering Slack every day. 25k+ subscribers on the YouTube channel (LINK). 35+ Meetup groups worldwide meeting every week. I personally write the community newsletter that goes out to 100k+ subscribers every week 👉https://platformweekly.com/ I spend most of my time listening to platform teams and collaborating on the latest standards: Reference… Show more The largest platform engineering community in the world. 200k+ platform practitioners debating the latest trends in the Platform Engineering Slack every day. 25k+ subscribers on the YouTube channel (LINK). 35+ Meetup groups worldwide meeting every week. I personally write the community newsletter that goes out to 100k+ subscribers every week 👉https://platformweekly.com/ I spend most of my time listening to platform teams and collaborating on the latest standards: Reference Architectures: https://github.com/humanitec-architecture Minimum Viable Platforms: https://platformengineering.org/blog/what-is-a-minimum-viable-platform-mvp Score OSS implementations: https://github.com/score-spec I am also teaching the first-ever platform engineering courses 👉 https://platformengineering.org/fundamentals Show less *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Host & Lead Organizer *]:mb-0 not-first-middot leading-[1.75]"> PlatformCON *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Jun 2022 - Present 3 years 8 months I organize and host the #1 platform engineering event globally, with 35k+ attendees in 2024 and over 50k views on the latest cohort of talks. PlatformCon2024 not only had an impressive lineup with all top speakers in the industry, from Kelsey Hightower and Nicki Watt to Gregor Hohpe and more. It was also the first true hybrid event of its kind, with virtual talks and workshops, as well as live watch parties, networking events and Live Days all over the world. *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> VP, Product & Growth *]:mb-0 not-first-middot leading-[1.75]"> Humanitec *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> May 2019 - Oct 2024 5 years 6 months Berlin, Germany Humanitec enables you to build the perfect Internal Developer Platform for your enterprise, serving platform engineers with the leading products and processes to reduce cognitive load, drive standardization and slash time to market. Top performing platform teams are using Score to abstract developers' requests, the Platform Orchestrator to standardize configurations and worklfows, and the Portal to provide one single pane of glass for the entire organization. *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Co-Founder *]:mb-0 not-first-middot leading-[1.75]"> L2 Digital - Event Strategy *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Sep 2018 - May 2019 9 months L2 Digital consults top brands on how to activate at major tech events, build a consistent narrative throughout the year and across multiple geographies. We bring together key stakeholders in selected events to ensure our clients' story is shared with the right people, in the right place. Past clients include Daimler AG and the Dubai Government. *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Product Management // Jr. Data Scientist *]:mb-0 not-first-middot leading-[1.75]"> Codepan GmbH *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Sep 2016 - Mar 2019 2 years 7 months Berlin Area, Germany Codepan is a technology company based out of Berlin and Tel Aviv. We are developing a scalable general purpose Anomaly Detection platform (Streem.AI) that monitors all data streams on the device or in the cloud and notifies users of unusual events. The objective of the tool is to guide engineers to make better decisions. Our platform acts as an AI assistant to engineers/experts by providing valuable business insights in real-time resulting in cost and resource savings. Our Anomaly… Show more Codepan is a technology company based out of Berlin and Tel Aviv. We are developing a scalable general purpose Anomaly Detection platform (Streem.AI) that monitors all data streams on the device or in the cloud and notifies users of unusual events. The objective of the tool is to guide engineers to make better decisions. Our platform acts as an AI assistant to engineers/experts by providing valuable business insights in real-time resulting in cost and resource savings. Our Anomaly Detection platform has a number of advantages over other similar products in the market as we have a toolbox of 40+ algorithms to find the best performing algorithm for your data with the capability to handle multivariate data. The platform offers algorithms that continuously learn and adapt to new behavior with no need for recurring training with historical data. It also includes algorithms that need little computational resources, can run on low-powered edge devices and are extremely robust to noise. We are currently working on pilot projects with Daimler and Webasto. Show less *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Freelance Translator *]:mb-0 not-first-middot leading-[1.75]"> Atheneum *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Jan 2015 - Dec 2016 2 years Top rated translator in database. - German/English - Italian/English - German/Italian - Spanish/English Education *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> The Berlin School of Economics and Law *]:mb-0 not-first-middot leading-[1.75]"> Master's degree MSc. Data Science - Big Data *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> 2017 - 2019 Activities and Societies: Thesis - A Comparative Evaluation of Anomaly Detection Techniques for Anomaly Detection on Multivariate Time Series Data -Machine Learning -Python, R -Big Data Architectures *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Universidade de Fortaleza *]:mb-0 not-first-middot leading-[1.75]"> Bachelor’s Degree Comercio Exterior, International Business Administration and Management *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> 2015 - 2016 -Top 5 percentile -Focus on Finance *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> The Berlin School of Economics and Law *]:mb-0 not-first-middot leading-[1.75]"> Bachelor's degree International Business and Management 1.5 *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> 2013 - 2017 -Top 5 percentile -Double Degree Program Licenses & Certifications *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Exam Contributor: Certified Cloud Native Platform Engineering Associate *]:mb-0 not-first-middot leading-[1.75]"> The Linux Foundation *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Issued Jun 2025 See credential *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Platform Engineering Fundamentals *]:mb-0 not-first-middot leading-[1.75]"> Platform Engineering *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Issued Sep 2024 Credential ID d189b49f-7085-4b9d-87ff-46d195df8b5a See credential *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> One Month Rails *]:mb-0 not-first-middot leading-[1.75]"> One Month *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Issued Apr 2016 Credential ID 10160678 See credential *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Deep Learning in Python *]:mb-0 not-first-middot leading-[1.75]"> DataCamp *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> See credential *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> PySpark *]:mb-0 not-first-middot leading-[1.75]"> DataCamp *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> See credential Courses *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Programming Basics *]:mb-0 not-first-middot leading-[1.75]"> Lynda.com *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Ruby on Rails *]:mb-0 not-first-middot leading-[1.75]"> OneMonth.com *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Languages *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Italian *]:mb-0 not-first-middot leading-[1.75]"> Native or bilingual proficiency *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> English *]:mb-0 not-first-middot leading-[1.75]"> Native or bilingual proficiency *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> German *]:mb-0 not-first-middot leading-[1.75]"> Full professional proficiency *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Spanish *]:mb-0 not-first-middot leading-[1.75]"> Professional working proficiency *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Portuguese *]:mb-0 not-first-middot leading-[1.75]"> Full professional proficiency *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> French *]:mb-0 not-first-middot leading-[1.75]"> Elementary proficiency *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Recommendations received David Bennett “Luca is a great guy with a lot of passion. He was valuable part of our business planning team, and he did a great job with marketing and business development. His work on lead development meant we had a steady flow of new business.” 1 person has recommended Luca Join now to view More activity by Luca PlatformCon 2026 virtual is now accepting speaker submissions 🔥 If you’re building, operating, or evolving platforms in real environments, we want… PlatformCon 2026 virtual is now accepting speaker submissions 🔥 If you’re building, operating, or evolving platforms in real environments, we want… Liked by Luca Galante 29.6% of platform teams “do not measure” at all. But that stat isn’t as bad as you think… As a stand-alone, it’s depressing… but that is 15% more of… 29.6% of platform teams “do not measure” at all. But that stat isn’t as bad as you think… As a stand-alone, it’s depressing… but that is 15% more of… Liked by Luca Galante This was the biggest year ever for the Platform Engineering Community. We took some huge swings this year, and i'm so thankful for how amazingly they… This was the biggest year ever for the Platform Engineering Community. We took some huge swings this year, and i'm so thankful for how amazingly they… Shared by Luca Galante Over the last 5 years, I have conducted 1000s of research interviews where I grill platform engineering leaders, and practitioners on their… Over the last 5 years, I have conducted 1000s of research interviews where I grill platform engineering leaders, and practitioners on their… Shared by Luca Galante Five years ago, we organized one of the first Platform Engineering roundtables. And the first guest was my friend Erik Muttersbach. We were all… Five years ago, we organized one of the first Platform Engineering roundtables. And the first guest was my friend Erik Muttersbach. We were all… Liked by Luca Galante 2025 was the turning point for platform engineering. Not because the space suddenly "arrived", but because we finally stopped arguing about what… 2025 was the turning point for platform engineering. Not because the space suddenly "arrived", but because we finally stopped arguing about what… Shared by Luca Galante Security has a habit of showing up late. Usually as a ticket. Or a failed scan. Or a very polite message asking you to stop everything you’re doing.… Security has a habit of showing up late. Usually as a ticket. Or a failed scan. Or a very polite message asking you to stop everything you’re doing.… Shared by Luca Galante Most teams rushing into AI are still ignoring the part that actually determines success: the platform architecture underneath. Tools come and go, but… Most teams rushing into AI are still ignoring the part that actually determines success: the platform architecture underneath. Tools come and go, but… Shared by Luca Galante The research is well documented, proven and reveared! The phrase "you can't manage what you can't measure" is widely attributed to management guru… The research is well documented, proven and reveared! The phrase "you can't manage what you can't measure" is widely attributed to management guru… Liked by Luca Galante One thing I’ve noticed when talking to different consulting teams in the EU and US is that the ones really shining in platform engineering all bring… One thing I’ve noticed when talking to different consulting teams in the EU and US is that the ones really shining in platform engineering all bring… Liked by Luca Galante One year ago, we launched our first Platform Engineering certification assuming junior DevOps folks would be the main audience. We were completely… One year ago, we launched our first Platform Engineering certification assuming junior DevOps folks would be the main audience. We were completely… Shared by Luca Galante View Luca’s full profile See who you know in common Get introduced Contact Luca directly Join to view full profile Other similar profiles Jan Alexander Bartels Jan Alexander Bartels Munich Connect Raphael Teufel Raphael Teufel Bonn Connect Dirk Hendel Dirk Hendel Greater Leipzig Area Connect Alexander Barge Alexander Barge Berlin Metropolitan Area Connect Werner Paulus Werner Paulus Munich Connect Dženan Softić Dženan Softić Berlin Connect Karim Jawhary Karim Jawhary Croatia Connect Eva Geckeis, PhD Eva Geckeis, PhD Munich Connect Ingo Frank Ingo Frank Stuttgart Region Connect Sergey Zubekhin Sergey Zubekhin Munich Connect Explore top content on LinkedIn Find curated posts and insights for relevant topics all in one place. View top content Add new skills with these courses 37m Transforming Business with AI Agents: Autonomous Efficiency and Decision-Making 55m Model Context Protocol (MCP): Hands-On with Agentic AI 2h 28m Understanding Generative AI in Cloud Computing: Services and Use Cases See all courses LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . View Luca’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . | 2026-01-13T08:47:53 |
https://ruul.io/blog/5-marketing-tips-for-freelancers | 5 marketing tips for freelancers during the pandemic - Ruul Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow 5 Marketing Tip For Freelancers Elevate your freelance game with 5 pandemic-proof marketing tips. Stay ahead, thrive, and succeed! Canan Başer 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Marketing freelance work can be quite tricky. As more people enter the independent workforce and work from home, competition is especially fierce these days. Anyone in the current digital world will agree that digital marketing for freelancers is the key to creating and maintaining a business. Below are five critical marketing strategies that freelance workers need to embrace to boost their marketing and establish their businesses. 1. Strong Online Presence Building a strong web presence indicator is a must for any freelancer who wants to be successful. Here are a few ways to establish and maintain an impactful online presence: Create a Professional Website Your website is a personal business portfolio that describes you and your work professionalism. It should display your portfolio and act as a marketing tool demonstrating what you can do as well as details regarding how a client can hire you. Ensure that your website is: User-friendly: Well-organized with a clean, professional layout that does not distract from the major subject of the home page. Responsive: It can be used on both the larger desktop screen and the handheld mobile device. SEO-optimized: Optimize your site with the help of appropriate keywords so that your site would appear on the top of search results page. Leverage Social Media Social networks are a great means of reaching potential customers and underlining one’s proficiency. Select those niches that are most frequently visited by your target consumers. Freelancers are especially likely to benefit from using LinkedIn, Twitter, and Instagram. It is equally important to share new posts, respond to followers’ comments, and join the existing discussion groups. Utilize Online Marketplaces Freelance websites like Upwork, Fiverr, and Freelancer can assist you with uncovering clients in a bigger pool. Develop elaborate personal web pages that may contain information such as skills, work experience, and recommendations from the clients. Search for projects and compete for tenders that best fit your firm’s experience and skills. 2. Network and Build Relationships Marketing entails networking and is well applicable in freelancers’ businesses. Interacting with other professionals means that you are likely to be assigned cases, work together or be recommended by them. Here are some networking tips: Attend Industry Events Attend conferences, webinars, and workshops that are associated with your area of specialization. These events are good platforms that give one a chance to interface with potential clients and/or partners. Talk to new contacts, swap cards and take time to follow up on the newly made acquaintances. Join Professional Associations One of the ways that can help to get recommendations is to join professional associations or organizations. Such societies quite frequently include occasions, boards and directories where one can possibly get to interacting with others in the similar line of business. Engage in Online Communities Get in touch with discussion lists and newsgroups of your field of operation. Contribute in discussions, provide helpful comments, and advise others. Reddit, Quora as well as specialty forums according to the industry can be effective channels in establishing your market credibility and reach. 3. Invest in Content Marketing Content marketing for freelancers is one of the methods that can be used to establish credibility with a potential client, position your business as knowledgeable in the sector and make yourself noticeable online. Here are some content marketing strategies for freelancers: Start a Blog A blog on your website that can be updated regularly can be a useful tool in order to show others that you know what you are talking about. Discuss the issues that refer to your field, offer some useful tips, and present possible ways to solve the issues mentioned in your articles. Fresh content can also work for your SEO and helps potential clients to search and find you more easily. Guest Posting Contribute to other reliable industry-related websites and blogs. This may also assist you to have a large number of visitors and clients, as well as develop yourself into an expert in the respective industry. However, do not forget to put in the guest post at least one link pointing to your website or portfolio. Create Valuable Resources Create useful content in the form of an eBook, white paper or guide and ensure that they are updated. Make these available for download on your website, in return for people’s contact details. This can assist you to create an email list and cultivate leads that you are yet to close on your business. 4. Optimize Your Personal Brand Personal brand is also known as the image of an individual and how that individual is perceived in society. If there is one thing that makes a freelancer unique from the rest, and memorable to the prospective employers, it is an objective statement. Here’s how to optimize your personal brand: Describe Clearly Your UVP Determine what sets you apart from others and how you can be of use to your clients. Your UVP (unique value proposition) should give clients the rationale for choosing you over your rivals in the interface. That could be Skills, Experience, a style of working or any other aspect which makes you unique. Consistent Branding See to it that the branding is the same in all areas. This comprises your website, social media pages, business cards, and any marketing material you might be using. Stay consistent with logo, color, and the language to maintain professionalism of the company’s image. Collect and Display Testimonials The information that comes from a client’s experience of using the services provided by your company is original and credible and builds audience trust. Make use of word of mouth by requesting satisfied clients to give their feedback and post them on the web page and on the social media page. It can be confidently stated that positive feedback from the clients will have a positive impact on potential clients and their decision to hire you. 5. Use Email Marketing Effectively E-mail marketing can be considered one of the most efficient strategies for lead nurturing and interacting with clients. Here are some tips an online marketing freelancer can apply in email marketing: Build an Email List Gather emails from anyone that visits your website, people at events you attend, and any contacts through business networking. Rewards for subscription should be something like a free Ebook or such other materials which are only for subscribers. Personalize Your Emails Recipient-specific e-mails tend to attract a higher open rate accompanied by a better and higher click-through rate. Make sure that you are using your email marketing platform to categorize your audience and then communicate to them as different people. Target your broadcasts to individuals by their first names and be sure to personalize your message according to the subscriber’s past activity and preferences concerning your products. Send Regular Newsletters Maintain your audience base with the help of the regular newsletters. Post relevant information on your business, and in your industry, helpful tips, new posts, and more. Always make sure that your newsletters that you are sending are informative and not only a form of advertisement. The Bottom Line Marketing as a freelancer is not easy, but with measures put in place, one can establish a good brand and even attract more clients to their business. Invest in your brand by developing a strong online presence, networking, content marketing, personal branding optimization, and, finally, e-mail marketing for maintaining the audience engagement. Therefore by applying the above mentioned freelancer marketing tips , one will be in a good position to have a fruitful freelancing career. ABOUT THE AUTHOR Canan Başer Developing and implementing creative growth strategies. At Ruul, I focus on strengthening our brand and delivering real value to our global community through impactful content and marketing projects. More How Does Fiverr Seller Plus Work? How Can Freelancers Use it? What is Fiverr Seller Plus and how can it strengthen your freelance career? Click to learn about the opportunities offered by the subscription system. Read more Understanding French VAT: Exploring the Various Value-Added Tax Rates in France Learn all about French Value Added Tax and the rates applicable. Know about the compliance essentials, special regimes, and the importance of VAT in France. Read more Cold Email Templates for Freelancers: Effective Strategies to Land Clients Discover powerful cold email templates for freelancers to attract clients and boost your business. Start converting leads today! Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://replit.com/news | Replit News Agent Products Agent Design Database Publish Security Integrations Mobile For Work Teams Replit for teams to build together Enterprise Replit with Enterprise-grade security & controls Use Cases Business Apps Rapid Prototyping Roles Enterprise PM Designers Operations Software Developers Small Businesses SMB owners Founders Resources Get Started Docs Community Expert Network Inspiration Customer Stories Gallery Blog News Pricing Careers Agent Contact sales Log in Sign up Products For Work Resources Pricing Careers Contact sales Log in Start building Replit in the News Stay up to date with the latest company news & media coverage Sep 10, 2025 Replit Closes $250 Million in Funding to Build on Customer Momentum Prysm, a16z, Amex Ventures, Coatue, YC in Round; Joins Google’s AI Futures Fund Announces New Autonomous Agent Read more Oct 23, 2025 Newswire: Government of Jordan Collaborates With Replit to Launch AI-Powered Learning Assistant In a landmark collaboration between the Government of Jordan and Replit, a global leader in agentic software creation, the Ministry of Education has launched the pilot phase of “Siraj”, an AI-powered learning assistant designed to transform education across the Kingdom. Read more Sep 11, 2025 Bloomberg: Vibe-Coding Startup Replit Hits $3 Billion Valuation AI coding startup Replit is valued at $3 billion after a new funding round. CEO Amjad Masad says vibe-coding enables more people to program and is accelerating product development for Replit’s customers. Masad discusses the growth of AI-assisted software creation with Caroline Hyde and Ed Ludlow on "Bloomberg Tech." Watch on Bloomberg Jul 8, 2025 Newswire: Replit Collaborates with Microsoft to bring Vibe Coding to Enterprise Customers New partnership enables Microsoft customers to rapidly build and deploy secure, production-ready applications using natural language - no coding expertise required. Read more Jul 2, 2025 SaaStr: From $10M to $100M ARR in 5.5 Months: Inside Replit’s AI Coding Rocketship A deep-dive into the AI development platform wars and why Replit’s 10x growth in 5.5 months is a big part of reshaping how software gets built. Read on SaaStr Jul 2, 2025 Google Cloud: Replit: From idea to application in minutes Replit adopted Anthropic's updated Claude 3.5 Sonnet on Google Cloud's Vertex AI to power Replit Agent, which allows anyone from anywhere in the world to use natural language prompts to take an idea to application regardless of coding experience. Read on Google Cloud Apr 2, 2025 Bloomberg: 'Vibecoding' Leader Replit in Talks for $3 Billion Valuation Artificial intelligence coding startup Replit Inc. is in talks with investors for a new funding round that would almost triple its valuation to $3 billion. Read on Bloomberg Feb 19, 2025 Anthropic: Replit democratizes software development with Claude on Google Cloud's Vertex AI Replit, a software creation platform, uses Claude on Google Cloud's Vertex AI to help anyone build and deploy software applications [...]. Read on Anthropic Feb 18, 2025 Inc.: After Partnering With Anthropic, This Startup Has Grown Revenue by 10X. Here’s How Coding platform Replit is using generative AI to empower anyone to write software and create apps. Read on Inc. Feb 17, 2025 Venture Beat: Replit and Anthropic’s AI is helping non-coders bring software ideas to life Replit is helping non-technical employees at Zillow contribute to software development. Read on Venture Beat Get started for free Create & deploy websites, automations, internal tools, data pipelines and more in any programming language without setup, downloads or extra tools. All in a single cloud workspace with AI built in. Contact Sales Get Started Handy Links About us Vibe Coding 101 Help How to guides Import from GitHub Status Additional resources Brand kit Partnerships Legal Terms of service Commercial agreement Privacy Subprocessors DPA Report abuse Connect X / Twitter Tiktok Facebook Instagram Linkedin Scroll to top All rights reserved. Copyright © 2026 Replit, Inc. | 2026-01-13T08:47:53 |
https://www.youtube.com/about/ | About YouTube - YouTube Jump to content How YouTube Works Creators Culture & Trends Blog About YouTube Our mission is to give everyone a voice and show them the world. We believe that everyone deserves to have a voice, and that the world is a better place when we listen, share and build community through our stories. Connect About YouTube About Blog How YouTube Works Jobs Press YouTube Culture & Trends NFL Sunday Ticket Products YouTube Kids YouTube Music YouTube Originals YouTube Podcasts YouTube Premium YouTube Select YouTube Studio YouTube TV For Business Developers YouTube Advertising For Creators Creating for YouTube Kids Creator Research Creator Services Directory YouTube Artists YouTube Creators YouTube NextUp YouTube VR Our Commitments Creators for Change CSAI Match About YouTube Products For Business For Creators Our Commitments About Blog How YouTube Works Jobs Press YouTube Culture & Trends NFL Sunday Ticket YouTube Kids YouTube Music YouTube Originals YouTube Podcasts YouTube Premium YouTube Select YouTube Studio YouTube TV Developers YouTube Advertising Creating for YouTube Kids Creator Research Creator Services Directory YouTube Artists YouTube Creators YouTube NextUp YouTube VR Creators for Change CSAI Match Policies & Safety Copyright Brand Guidelines Privacy Terms Help | 2026-01-13T08:47:53 |
https://jfrog.com/ | Software Supply Chain Solutions for DevOps & Security | JFrog Products Solutions Pricing Developers Resources Partners Discover Our Partner Ecosystem > Find a JFrog Partner > Explore Partner Integrations > Community > Documentation > Integrations > Applications > Use Case Cloud Solutions Flexible Cloud Deployment Solutions AI/ML Centralized AI Control & Governance (AI Catalog) Model Lifecycle Management (MLOps) Data Engineering & Feature Management (DataOps) MLSecOps DevOps Developer Experience Artifact Management Tool Consolidation Release Lifecycle Management DevSecOps Agentic Remediation Holistic Software Supply Chain Security Curate Open-Source Packages Source Code Scanning (SAST) Software Composition Analysis (SCA) Secrets Detection Infrastructure as Code (IaC) Security Device/IoT Connected Device Management Platform Ecosystem servicenow " data-gac="main menu" > ServiceNow > github " data-gac="main menu" > GitHub > nvidia " data-gac="main menu" > NVIDIA > Docker > Maven > See all integrations > Industry Financial Services > Public Sector > technology " data-gac="main menu" > Technology > Healthcare > Gaming > Automotive > Enterprise > Learning & Guides JFrog Help Center > Demo Center > Security Research > JFrog Academy > Events > Webinars & Workshops > DevOps Consulting Services > JFrog Certifications > Software Supply Chain Topics > Collateral Resource Center > JFrog Blog > Customer Stories > State of the Union Report > Customer Zone Support > Customer support, tickets and community Manage & Troubleshoot > Renew, retrieve licenses, legal and more MyJFrog > Cloud customer portal Cloud Status > Service status & event subscription JFrog Trust > How we protect you & your data The JFrog Platform Deliver Trusted Software with Speed The only software supply chain platform to give you end-to-end visibility, security, and control for automating delivery of trusted releases. Bring together DevOps, DevSecOps and MLOps teams in a single source of truth. View Platform DevOps JFrog Artifactory Universal Artifact & ML Model Repository Manager JFrog Distribution Secure Distribution Across Consumption Points JFrog Connect IoT Device Management with DevOps Agility DevSecOps JFrog Curation Seamlessly Curate Software Packages & ML Models essentials (xray)" data-gac="main menu" > JFrog Security Essentials (Xray) Integrated SCA for Software & AI Artifacts JFrog Advanced Security Supply Chain Exposure Scanning & Impact Analysis JFrog Runtime Real-time visibility into runtime vulnerabilities DevGovOps JFrog AppTrust Application Risk Governance AI/ML JFrog AI Catalog Discover, Govern and Secure Your AI Ecosystem JFrog ML Build, Train, Serve and Monitor AI/ML Models Zero Configuration, Agentic Software Delivery for Small Teams. Learn More En Fr De 日本語 简体中文 Contact Us Try JFrog Products The JFrog Platform Deliver Trusted Software with Speed The only software supply chain platform to give you end-to-end visibility, security, and control for automating delivery of trusted releases. Bring together DevOps, DevSecOps and MLOps teams in a single source of truth. View Platform DevOps JFrog Artifactory Universal Artifact & ML Model Repository Manager JFrog Distribution Secure Distribution Across Consumption Points JFrog Connect IoT Device Management with DevOps Agility DevSecOps JFrog Curation Seamlessly Curate Software Packages & ML Models JFrog Security Essentials (Xray) Integrated SCA for Software & AI Artifacts JFrog Advanced Security Supply Chain Exposure Scanning & Impact Analysis JFrog Runtime Real-time visibility into runtime vulnerabilities DevGovOps JFrog AppTrust Application Risk Governance AI/ML JFrog AI Catalog Discover, Govern and Secure Your AI Ecosystem JFrog ML Build, Train, Serve and Monitor AI/ML Models JFrog Fly Zero Configuration, Agentic Software Delivery for Small Teams. Learn More Solutions Use Case Cloud Solutions Flexible Cloud Deployment Solutions AI/ML Centralized AI Control & Governance (AI Catalog) Model Lifecycle Management (MLOps) Data Engineering & Feature Management (DataOps) MLSecOps DevOps Developer Experience Artifact Management Tool Consolidation Release Lifecycle Management DevSecOps Agentic Remediation Holistic Software Supply Chain Security Curate Open-Source Packages Source Code Scanning (SAST) Software Composition Analysis (SCA) Secrets Detection Infrastructure as Code (IaC) Security Device/IoT Connected Device Management Platform Ecosystem ServiceNow GitHub NVIDIA Docker Maven See all integrations Industry Financial Services Public Sector Technology Healthcare Gaming Automotive Enterprise Pricing Developers Community Documentation Integrations Applications Resources Learning & Guides JFrog Help Center Demo Center Security Research JFrog Academy Events Webinars & Workshops DevOps Consulting Services JFrog Certifications Software Supply Chain Topics Collateral Resource Center JFrog Blog Customer Stories State of the Union Report Customer Zone Support Customer support, tickets and community Manage & Troubleshoot Renew, retrieve licenses, legal and more MyJFrog Cloud customer portal Cloud Status Service status & event subscription JFrog Trust How we protect you & your data Partners Discover Our Partner Ecosystem Find a JFrog Partner Explore Partner Integrations Deliver Trusted Software in the AI Era Break down software delivery silos with one system of record for the software supply chain The System of Record for the Software Supply Chain Free Trial Book a Demo Manage, Secure, and Govern Your AI and Software Assets from One Platform Artifact Management Supply Chain Security AI/ML Delivery App Risk Governance The gold standard for artifact management Accelerate software delivery with one central hub for everything that flows through your Software Supply Chain. Learn About JFrog Artifactory Modern code-to-runtime security - faster, accurate, prioritized Block risk and deliver better security outcomes with contextualized and agent-ready scanners natively where your code and artifacts live. Learn about JFrog Security Bring AI/ML to production fast and securely The world’s most advanced AI model registry providing the only lifecycle solution for AI/ML discovery, creation, governance, and deployment. Learn About JFrog ML Meet the industry’s first DevGovOps solution Trust your software’s integrity and drive compliant releases by infusing evidence-based policy gates across your SDLC. Learn About JFrog AppTrust See the JFrog Platform What’s New with JFrog JFrog Announces AppTrust Ensure Software Integrity and Compliance With Evidence-based Controls and Contextualized Insights Learn More New AI Catalog Establish centralized, cross-organization security and governance over every AI workload. Learn More New Compromised Packages Detected After recent compromises of nx and other popular packages, NPM has faced its third major supply chain attack. Learn More JFrog's New Evidence Partner Program Streamline Attestation Evidence Collection with OOTB Integrations Across the SDLC. Learn More See All Announcements Empowering Everyone Everywhere Serving Enterprise Teams Across All Industries Developers Leaders DevOps Security AI/MLOps IoT We wanted to figure out what can we really use instead of having five, or six different applications. Is there anything we can use as a single solution? And Artifactory came to the rescue. It turned out to be a one-stop shop for us. It provided everything that we need. Keith Kreissl, Principal Developer, Cars.com By deploying JFrog, we’ve seen less vulnerabilities, which has given our developers more time to focus on developing new applications. And with the different development teams all being on the same platform, it has centralized and streamlined the process. Billy Norwood, CISO, FFF Enterprises Since moving to Artifactory, our team has been able to cut down our maintenance burden significantly… we’re able to move on and be a more in depth DevOps organization. Stefan Kraus, Software Engineer, Workiva I follow the basic principles for AppSec -- Prevent, Detect, Remediate. And when I look at the offerings from JFrog, they're checking those boxes for me. James Carter, Distinguished Engineer, Deloitte Before… delivering a new AI model took weeks... Now the research team can work independently and deliver while keeping the engineering and product teams happy. We had 5 new models running in production within 4 weeks. Idan Schwartz, Head of Research, Spot (by NetApp) As our business grew, JFrog Connect helped us enhance our operations. Being able to automate and push software updates across multiple devices at once saves us time and resources with each version we deployed. When you consider the cost of an engineer’s time, it was an easy call. Senior Manager, DevOps, Telehealth Serving over 80% of the Fortune 100 Ecosystem Freedom, Not Lock-in Ecosystem Freedom, Not Lock-in To your entire ecosystem: welcome to the era of automated, integrated, extendable, secure software supply chain management. Learn More Ready to Try JFrog? Get hands-on with a self-guided tour or a free trial, or contact our team to discuss your needs. Take A Tour Start Free Trial Book A Demo Products Artifactory Xray Curation Distribution Container Registry Connect JFrog ML JFrog Platform Start Free Resources Blog Security Research Events Integrations JFrog Help Center Software Supply Chain Topics Open Source JFrog Trust Compare JFrog Company About Management Investor Relations Partners Customers Careers Press Contact Us Brand Guidelines Developer Community Downloads Community Events Community Forum Applications En En Fr De 日本語 简体中文 Follow Us © 2026 JFrog Ltd All Rights Reserved Discover More Seamlessly Curate Software Packages Entering Your Organization What is a Software Supply Chain? What is a CVE? Terms of Use | Privacy Notice | Cookies Policy | Impressum | Cookies Settings | Accessibility Notice | Accessibility Mode Thank You! Your submission has been recieved. We will contact you soon! OK x Oops... Something went wrong Please try again later Continue Information Modal Message Continue Click Here 请点这里 | 2026-01-13T08:47:53 |
https://dev.to/t/architecture/page/8 | Architecture Page 8 - 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 Architecture Follow Hide The fundamental structures of a software system. Create Post Older #architecture posts 5 6 7 8 9 10 11 12 13 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Nop Platform Architecture White Paper canonical canonical canonical Follow Jan 5 Nop Platform Architecture White Paper # nop # programming # softwareengineering # architecture Comments Add Comment 9 min read My Key Takeaways from DDIA Chapter 1: Reliability, Scalability, and Maintainability Faizan Firdousi Faizan Firdousi Faizan Firdousi Follow Jan 7 My Key Takeaways from DDIA Chapter 1: Reliability, Scalability, and Maintainability # systemdesign # distributedsystems # architecture # computerscience Comments Add Comment 2 min read Distributed Systems & Networking: Advanced Networking for Cloud and Advanced Modern Datacenters Javad Javad Javad Follow Jan 6 Distributed Systems & Networking: Advanced Networking for Cloud and Advanced Modern Datacenters # tutorial # devops # cloud # architecture 5 reactions Comments Add Comment 12 min read Working with Multiple Databases, Transactions, and SQLite Internals Athreya aka Maneshwar Athreya aka Maneshwar Athreya aka Maneshwar Follow Jan 6 Working with Multiple Databases, Transactions, and SQLite Internals # webdev # programming # database # architecture 10 reactions Comments Add Comment 5 min read When Governance Depends on the System, It Is No Longer Governance Antonio Jose Socorro Marin Antonio Jose Socorro Marin Antonio Jose Socorro Marin Follow Jan 7 When Governance Depends on the System, It Is No Longer Governance # ai # architecture # cybersecurity Comments Add Comment 1 min read Formal Semantics as the Missing Control Layer for AI-Assisted Software Engineering Sven A. Schäfer Sven A. Schäfer Sven A. Schäfer Follow Jan 6 Formal Semantics as the Missing Control Layer for AI-Assisted Software Engineering # ai # softwareengineering # architecture # systemdesign Comments Add Comment 5 min read Building a Modern Data Platform — Dagster - Dbt - Iceberg Rida MEFTAH Rida MEFTAH Rida MEFTAH Follow Jan 5 Building a Modern Data Platform — Dagster - Dbt - Iceberg # architecture # dataengineering # docker # opensource Comments Add Comment 3 min read Adaptability Over Cleverness: What Makes Code Actually Good Steven Stuart Steven Stuart Steven Stuart Follow Jan 5 Adaptability Over Cleverness: What Makes Code Actually Good # architecture # bestpractices # designpatterns Comments Add Comment 2 min read Why Most Telecom APIs Fail Before the First Developer Uses Them Telco Edge Telco Edge Telco Edge Follow Jan 6 Why Most Telecom APIs Fail Before the First Developer Uses Them # telecom # api # architecture Comments Add Comment 3 min read Rethinking React Architecture at Scale: From Hooks to Remote Contexts Shanthi's Dev Diary Shanthi's Dev Diary Shanthi's Dev Diary Follow Jan 6 Rethinking React Architecture at Scale: From Hooks to Remote Contexts # react # microfrontends # architecture # statemanagement Comments Add Comment 3 min read The Q-Protocol: Reducing Agentic Telemetry Costs with Z-Order Curves Phil Hills Phil Hills Phil Hills Follow Jan 5 The Q-Protocol: Reducing Agentic Telemetry Costs with Z-Order Curves # ai # distributedsystems # python # architecture Comments Add Comment 1 min read Inside SQLite Backend: Virtual Machine, Storage, and the Build Process Athreya aka Maneshwar Athreya aka Maneshwar Athreya aka Maneshwar Follow Jan 11 Inside SQLite Backend: Virtual Machine, Storage, and the Build Process # webdev # programming # database # architecture 10 reactions Comments Add Comment 3 min read Elementra After 30 Days: A Quiet Admin Retrospective Bashar Forrestad Bashar Forrestad Bashar Forrestad Follow Jan 5 Elementra After 30 Days: A Quiet Admin Retrospective # architecture # devjournal # webdev Comments Add Comment 7 min read The MCP Revolution: How One Protocol Solved AI's Biggest Integration Problem (Part 1 of 2) Amrendra Vimal Amrendra Vimal Amrendra Vimal Follow Jan 5 The MCP Revolution: How One Protocol Solved AI's Biggest Integration Problem (Part 1 of 2) # ai # mcp # security # architecture 1 reaction Comments 1 comment 5 min read Designing APIs That Are Hard to Misuse Nilesh Raut Nilesh Raut Nilesh Raut Follow Jan 10 Designing APIs That Are Hard to Misuse # backend # architecture # api # design 15 reactions Comments 2 comments 3 min read Part 3: Why Transformers Still Forget Pranava Kailash Subramaniam Prema Pranava Kailash Subramaniam Prema Pranava Kailash Subramaniam Prema Follow Jan 5 Part 3: Why Transformers Still Forget # programming # ai # llm # architecture Comments Add Comment 5 min read Under the Hood: How Two-Gate Enforcement Works L_X_1 L_X_1 L_X_1 Follow Jan 5 Under the Hood: How Two-Gate Enforcement Works # architecture # security Comments Add Comment 4 min read Coding Agents as a First-Class Consideration in Project Structures Basti Ortiz Basti Ortiz Basti Ortiz Follow Jan 5 Coding Agents as a First-Class Consideration in Project Structures # ai # agents # llm # architecture 1 reaction Comments Add Comment 6 min read Common Third-Party GUI Integration Patterns Samuel Ruiz Samuel Ruiz Samuel Ruiz Follow Jan 6 Common Third-Party GUI Integration Patterns # architecture # frontend # javascript Comments Add Comment 3 min read B2B Wellness Infrastructure: Securing Sensitive Data with Scalable Database Design wellallyTech wellallyTech wellallyTech Follow Jan 7 B2B Wellness Infrastructure: Securing Sensitive Data with Scalable Database Design # architecture # database # saas # postgres Comments Add Comment 2 min read Multisig vs Policy Layers: Which Approach Secures AI Agents Better? L_X_1 L_X_1 L_X_1 Follow Jan 5 Multisig vs Policy Layers: Which Approach Secures AI Agents Better? # architecture # security Comments Add Comment 4 min read Why Node.js Excels in Building Microservices: Principles and Advantages Jeferson Eiji Jeferson Eiji Jeferson Eiji Follow Jan 7 Why Node.js Excels in Building Microservices: Principles and Advantages # node # microservices # architecture # programming 1 reaction Comments Add Comment 1 min read Mosaic: Sharding Attention Across GPUs When Your Sequence Doesn't Fit Pranav Sateesh Pranav Sateesh Pranav Sateesh Follow Jan 5 Mosaic: Sharding Attention Across GPUs When Your Sequence Doesn't Fit # architecture # deeplearning # llm # performance Comments Add Comment 5 min read Stop Building Chatbots: The Case for Infrastructure-Driven AI Agents Ayman Aly Mahmoud Ayman Aly Mahmoud Ayman Aly Mahmoud Follow Jan 5 Stop Building Chatbots: The Case for Infrastructure-Driven AI Agents # agents # ai # architecture # serverless Comments 1 comment 4 min read How Cloud Engineering Improves Scalability, Security, and Performance Cygnet.One Cygnet.One Cygnet.One Follow Jan 7 How Cloud Engineering Improves Scalability, Security, and Performance # architecture # cloud # performance # security Comments Add Comment 8 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:53 |
https://dev.to/adventures_in_devops/swampup-advancing-your-security-with-jfrog-upgrading-with-jfrog-connect-devops-143#main-content | SwampUp: Advancing Your Security With JFrog & Upgrading with JFrog Connect - DevOps 143 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Adventures in DevOps Follow SwampUp: Advancing Your Security With JFrog & Upgrading with JFrog Connect - DevOps 143 Dec 29 '22 play Join Chuck Wood as he hosts this week's DevOps episode to do another Interview with a SwampUp speaker, Nati Davidi. He currently manages JFrog's security division in Israel and established Vdoo a Startup Company that is acquired by JFrog. He joins Chuck to talk about some important things to know about Security. Additionally, Nati offers some advice on how to safeguard your apps and keep hackers from accessing them. For the second part of this episode, Chuck Wood interviews Yoav Landman. He is the Founder and CTO of JFrog. He joins Chuck on the show to talk more about JFrog Connect. JFrog Connect is the first Plug&Play, ready-to-use, device management platform for connected products. He also explains how it works and how developers can benefit from it. Sponsors Chuck's Resume Template Developer Book Club starting with Clean Architecture by Robert C. Martin Become a Top 1% Dev with a Top End Devs Membership Links JFrog JFrog Security Research SwampUp2022 Twitter: @_yoav_ Advertising Inquiries: https://redcircle.com/brands Privacy & Opt-Out: https://redcircle.com/privacy Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:53 |
https://dev.to/devdiscuss/s7-e1-deeply-human-stories-in-software-with-the-changelog | S7:E1 - Deeply Human Stories in Software with The Changelog - 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 DevDiscuss Follow S7:E1 - Deeply Human Stories in Software with The Changelog Nov 10 '21 play In this episode, we talk about deeply human stories in software with the hosts of The Changelog podcast, Adam Stacoviak and Jerod Santo. Show Notes Microsoft 30 Days to Learn It (DevDiscuss) (sponsor) DevNews (sponsor) CodeNewbie (sponsor) New Relic (sponsor) Vultr (sponsor) Changelog The Sass Way Five years of freeCodeCamp with Quincy Larson Oh my! Zsh. with Robby Russell Pure Charity A Protocol for Dying A Protocol for Dying with Pieter Hintjens The ZeroMQ Process: C4 Leading Leaders Who Lead Engineers with Lara Hogan Maintainer Week Every Commit is a Gift Open Sourcing the DEV Community with Ben Halpern Adam Stacoviak Adam Stacoviak is the founder and editor-in-chief of Changelog Media. Jerod Santo Jerod Santo is the managing editor of Changelog Media 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:53 |
https://dev.to/devdiscuss/s7-e3-getting-a-read-on-tech-publishing | S7:E3 - Getting a Read on Tech Publishing - 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 DevDiscuss Follow S7:E3 - Getting a Read on Tech Publishing Nov 23 '21 play In this episode, we talk about tech publishing with Katel LeDû, CEO of A Book Apart. Show Notes Vultr (sponsor) DevNews (sponsor) CodeNewbie (sponsor) New Relic (sponsor) Microsoft 30 Days to Learn It (DevDiscuss) (sponsor) A Book Apart Responsible JavaScript Just Enough Research Katel LeDû Katel LeDû is the CEO of A Book Apart, where she helps passionate tech community members become successful authors. She’s also a personal and professional transformation coach, focused on helping folks cultivate creativity, develop social awareness in themselves and at work, and embody sensitivity and empathy as superpowers. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Aaron A Deming Aaron A Deming Aaron A Deming Follow I'm a software development manager who focuses on onboarding and providing continuing education for our entire dev team. he/him Location Sioux Falls, SD Education University of Nebraska - Lincoln Pronouns He / Him Work Application Development Manager at Buildertrend Joined Mar 22, 2019 • Dec 3 '21 Dropdown menu Copy link Hide Is it intentional that new episodes aren't going to stitcher anymore? I actually haven't gotten a new one since Oct 2020 .. I thought the show ended. 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:53 |
https://dev.to/devdiscuss/s6-e7-vs-code-and-the-extended-vs-code-universe | S6:E7 - VS Code and the Extended VS Code Universe - 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 DevDiscuss Follow S6:E7 - VS Code and the Extended VS Code Universe Sep 15 '21 play In this episode, we talk about Visual Studio Code with, Jonathan Carter, principal program manager at Microsoft, and Cassidy Williams, director of developer experience at Netlify. Show Notes Cockroach Labs (DevDiscuss) (sponsor) Scout APM (DevNews) (sponsor) CodeLand 2021 (sponsor) Visual Studio Code GitHub Codespaces Vim ASP.NET Active Server Pages C# documentation Visual InterDev .NET Firebug C++ Microsoft Visual Studio Atom TypeScript Monaco Gitpod CodeSandbox CodeTour CSS Diner Jonathan Carter Jonathan Carter is a project manager at Microsoft, and has had the privilege of working on a bunch of developer tools and services over the last 15 years (e.g. Visual Studio, ASP.NET, browser tools for IE, CodePush). He's passionate about developer productivity and collaboration, and in particular, helping to make it easier to contribute to projects, share ideas amongst your teams, the community, and supporting remote-first cultures. Cassidy Williams Cassidy likes making memes, dreams, and software. But actually though, she's a Principal Developer Experience Engineer at Netlify, and makes developer-friendly content across the internet to help people learn and laugh. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand yesape8956 yesape8956 yesape8956 Follow Joined Oct 10, 2025 • Oct 10 '25 Dropdown menu Copy link Hide Here’s a concise English review of the article “S6:E7 – VS Code and the Extended VS Code Universe” : I really appreciated how this episode brings clear insight into the world beyond just VS Code itself. It’s refreshing to hear perspectives from Jonathan Carter and Cassidy Williams, especially on how extensions, integrations, and community tooling evolve the editor into an ecosystem. The balance of practical advice and broader vision makes it useful whether you’re a casual plugin user or deep into extension development. The write-up on dev.to captures that enthusiasm and information well — a solid resource to revisit even after listening. 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:53 |
https://youtube.com/RedditWeb | Reddit Web Development and Design - 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, 사업자정보 , 불법촬영물 신고 크리에이터들이 유튜브 상에 게시, 태그 또는 추천한 상품들은 판매자들의 약관에 따라 판매됩니다. 유튜브는 이러한 제품들을 판매하지 않으며, 그에 대한 책임을 지지 않습니다. | 2026-01-13T08:47:53 |
http://www.nba2klab.com | home-title Login Sign-Up NBA 2k26 Premium Advanced Attribute Weights Custom Jump Shots Custom Jump shot Recommender Free Throws Moving Jump Shots Jump Shot Practice Tool Rhythm Practice Tool Offensive Motion Styles Defensive Motion Styles Player Card Data Tool Ranked Dribble Moves Whats on Premium? tools animation-requirements Badge Requirements Badge Tier Unlocks MyPlayer Builder Simulator & Attribute Caps Takeover Requirements badges attributes badge-descriptions Badge Tests recommended-builds NBA Player MyPlayer Builds All Pro Tuned Builds PGs Centers Sharps Wings Locks PFs Builds By Name User Submitted Builds game-details 2KTV Answers Best Settings Build Specializations Crew Rewards Game Controls Best Dribble Moves Season Rewards Speed and Agility Testing VC Prices Rosters All Teams NBA Mini Games Guess the NBA Player NBA Draft Simulator Mystery Fantasy Draft Team Finder Game NBA Stat Clash Lineup Guesser Mini Games Details NBA 2k25 Advanced Attribute Weights Badge Tests animation-requirements badge-requirements Badge Height Caps Badge Tier Unlocks Takeover Requirements Sharps SFs Locks Centers All Pro Tuned Builds How to Dribble Roster Tool Motion Styles Pass Styles 2KTV Answers Best Camera Settings Cap Breakers Guide Dribble Styles Stamina & How to Change Body Type 2k25 Motion Styles 2k25 Advanced Jumpshot Practice 2k25 Custom Jumpshot Recommender 2k25 Custom Jump Shot Practice Tool 2k25 Dribble Rankings 2k25 Free Custom Jump Shot Practice Tool Locker Codes CFB Labs support@nba2klab.com Get Premium Login Sign-up home-on-page-title home-breadcrumb Previous Next Welcome Back to NBA2KLab! The Best Badges, Builds and Custom Jumpers in NBA 2K 26. home-premium-title home-premium-paragraph $7.99 home-premium-title-2 home-premium-list-1 home-premium-list-2 home-premium-title-3 home-premium-list-3 home-premium-list-4 home-premium-list-5 home-premium-list-6 home-premium-list-7 home-premium-button-1 home-premium-button-2 View NBA 2K26 Badge Tests View NBA 2K26 Animation Requirements home-block-9-paragraph home-block-9-link View NBA 2K26 Badge Requirements View NBA 2K26 Animation Requirements home-block-4-paragraph-1 home-block-4-link home-block-5-paragraph-1 home-block-5-paragraph-1-link home-block-5-paragraph-3 home-block-5-paragraph-3-link home-block-5-paragraph-4 home-block-5-paragraph-4-link home-block-7-title home-block-7-paragraph home-block-7-link home-block-10-paragraph-1 home-block-10-link-1 home-block-10-paragraph-2 home-block-10-link-2 . home-block-10-paragraph-3 home-block-10-link-3 . home-block-11-paragraph home-block-11-link YouTube 500k+ | 100+ videos in 2k26 Subscribe to our YouTube channel to see our badge tests the instant they are complete. Go to NBA2KLab YouTube TikTok 370k+ followers Twitter 200k+ followers IG 240k+ followers FB 10k+ followers | 2026-01-13T08:47:53 |
https://dev.to/devdiscuss/s6-e8-ruby-and-rails-from-features-to-governance | S6:E8 - Ruby and Rails: From Features to Governance - 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 DevDiscuss Follow S6:E8 - Ruby and Rails: From Features to Governance Sep 28 '21 play In this episode, we talk about Ruby and Rails with Richard Schneeman, principal engineer at Salesforce and Heroku Ruby language owner, and Penelope Phippen, staff software engineer at Stripe, and a director at Ruby Central. Show Notes DevNews (sponsor) CodeNewbie (sponsor) Scout APM (DevDiscuss) (sponsor) Cockroach Labs (DevDiscuss) (sponsor) Ruby Rails Rubyfmt RubyConf RailsConf DeadEnd Inside the all-hands meeting that led to a third of Basecamp Employees Quitting Penelope Phippen Penelope Phippen (she/her) is a multifaceted Rubyist who works as a Director at Ruby Central, is the creator of Rubyfmt, and was formerly a lead maintainer of the RSpec project. She frequently writes and speaks about about complex aspects of the Ruby grammar, and issues of social justice for trans people in computer science. She's sad that she can't hug every cat. Richard Schneeman Richard Schneeman created and maintains CodeTriage.com, a tool for helping people contribute to open-source When he isn't obsessively compulsively refactoring code he spends his time reminding his kids to wash their hands. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Sunil Bhardwaj Sunil Bhardwaj Sunil Bhardwaj Follow Education Amity University Work Senior Analyst at Novartis India Joined Aug 14, 2021 • Oct 20 '21 Dropdown menu Copy link Hide Nice learning episode on Ruby and Rails. Thanks and congratulate you for this. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Kunika1999Malhotra Kunika1999Malhotra Kunika1999Malhotra Follow Joined Nov 3, 2020 • Oct 26 '21 Dropdown menu Copy link Hide Great learning on Ruby and Rails. Thank you for this. 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:53 |
https://replit.com/enterprise | Replit for Enterprise | Enterprise Development Platform Agent Products Agent Design Database Publish Security Integrations Mobile For Work Teams Replit for teams to build together Enterprise Replit with Enterprise-grade security & controls Use Cases Business Apps Rapid Prototyping Roles Enterprise PM Designers Operations Software Developers Small Businesses SMB owners Founders Resources Get Started Docs Community Expert Network Inspiration Customer Stories Gallery Blog News Pricing Careers Agent Contact sales Log in Sign up Products For Work Resources Pricing Careers Contact sales Log in Start building End Your Software Backlog. Empower your entire organization to create applications by simply describing them. Replit's enterprise platform translates your description into production-ready software, securely and at scale. Contact Sales First Name (required) Last Name (required) Work Email (required) Phone Number (optional) Message (optional) Contact Sales Loved by 40 million app creators, including teams at: Replit is the most secure agentic platform for production-ready apps Replit’s got everything you need to make building & launching your app a breeze — build & refine your apps through conversing with Agent. Every Replit app comes with a built in database, user-authentication, integrations and Enterprise Grade security. Self-debugging & autonomous agent allows anyone to build complex production grade apps Anyone from your Product, Design or Business teams can build apps and tools within a few prompts. Agent can autonomously handle complex tasks and debugging so you don't have to. In-built Auth, Database, Hosting & Monitoring services make pushing an app to production a breeze Every project includes a pre-configured, production grade Auth and Database that grows with your project-no separate setup or installation needed. You can also easily connect to services like Stripe, Open AI and more. Enterprise controls & security for your apps Replit platform has SSO/SAML, SOC2 & all the standard Enterprise admin controls. Plus, pre deployment security screening, secure in-built services and better defaults ensure the apps you built remain secure too. Jon Humphrey, Rokt SVP of Solutions and Operations "I sat there on an iPad mini and I deployed a fully functional end-to-end application with Google OAuth in about a day. And I have no background in engineering. That was my 'holy shit' moment where I said, 'My goodness, I can't believe I just did that.'" Mike Messenger, Zillow Director of Field Operations “Replit empowers our operations teams to quickly create enterprise-grade apps, no-code needed.” Key Vaidya, Hg Capital Portfolio CTO “The ability to go from idea to working application in minutes has opened new possibilities for innovation across our portfolio. We're seeing apps built in 45 minutes that save teams hours every week." From rapidly prototyping MVPs to building internal tools or customer facing apps, the possibilities are endless Replit’s got everything you need to make building & launching your app a breeze — build & refine your apps through conversing with Agent. Every Replit app comes with a built in database, user-authentication, integrations and Enterprise Grade security. Rapid Prototyping Rapidly prototype your product ideas for customer demos and feedback. Launch it as production ready app or hand it off to engineering for continued development Internal Tools Build that perfect tool you always wanted and simplify your workflow and increase your productivity Customer facing apps Build new, production-ready apps for your customers much faster via faster prototyping and more seamless handoff from product to engineering teams Purchase Replit Enterprise Through Your Preferred Cloud Marketplace Replit Enterprise is now available on Azure Marketplace and Google Cloud Marketplace, making it easier than ever to procure our agentic development platform through your existing cloud provider relationship. Streamlined procurement — Use existing cloud credits, consolidated billing, and pre-approved vendor relationships Available on Azure Marketplace and Google Cloud Marketplace Enterprise features include — SSO/SAML, SCIM provisioning, dedicated support, and advanced privacy controls Empower your Product, Design & Business teams to bring their ideas to life Product Teams Quickly prototype and test your product ideas with clickable prototypes to speed up customer demos, gather feedback faster, and dramatically shorten your product development cycle. Don’t just hand off a PRD to engineering—hand off working source code. Designers Bring your Figma designs to life and simplify that developer handoff by building out a clickable prototype. Now your designs can be transferred to product with perfect fidelity. Sales & Marketing Teams Build that perfect tool you always wanted and simplify your workflow and increase productivity. Where you want to analyze sales call transcripts or generate quick landing pages for marketing, you can do it all with a Replit app Operations Teams Build that perfect tool you always wanted and simplify your workflow and increase productivity. Where you want to build a custom dashboard to analyze support tickets, or a procurement tool, you can build it all with a Replit app. Request a hackathon Transform your organization in 4 hours Solve real business challenges Cross-functional teams build apps that address your organizations actual needs and pain points. No coding required Anyone can participate regardless of technical background—vibe coding makes programming accessible to all. Deploy live applications Teams go from idea to working application in just 4 hours, ready to showcase and implement. Request a Hackathon Try Replit now Replit empowers anyone with an idea to become a creator, while giving professional designers the freedom to creatively explore and build — without being held back by code or the limitations of design tools: Start building Handy Links About us Vibe Coding 101 Help How to guides Import from GitHub Status Additional resources Brand kit Partnerships Legal Terms of service Commercial agreement Privacy Subprocessors DPA Report abuse Connect X / Twitter Tiktok Facebook Instagram Linkedin Scroll to top All rights reserved. Copyright © 2026 Replit, Inc. | 2026-01-13T08:47:53 |
https://replit.com/products/agent | Agent - Replit Agent Products Agent Design Database Publish Security Integrations Mobile For Work Teams Replit for teams to build together Enterprise Replit with Enterprise-grade security & controls Use Cases Business Apps Rapid Prototyping Roles Enterprise PM Designers Operations Software Developers Small Businesses SMB owners Founders Resources Get Started Docs Community Expert Network Inspiration Customer Stories Gallery Blog News Pricing Careers Agent Contact sales Log in Sign up Products For Work Resources Pricing Careers Contact sales Log in Start building The best Agent for building Production-Ready apps Tell Replit Agent your app or website idea, and it will build it for you automatically. It’s like having an entire team of software engineers on demand, ready to build what you need — all through a simple chat. No coding experience needed. Get started free Build & refine your app with Agent Start by telling the Replit Agent what kind of app or site you want to build. Then, keep improving it by giving the Agent feedback. Agent automatically searches the Web as needed to ensure it has access to the latest information to fulfill your request For more complex tasks, turn on advanced options like Extended Thinking and High-Power Models . Activate Extended Thinking & High Power models for more complex tasks For more open-ended or complex requests such as performance optimizations, design overhauls etc., activate more advanced capabilities Integrate securely with built-in services like Database and Auth, plus third-party tools Easily connect with our in-built Database and User authentication or third-party services like Stripe, Open AI and more — your keys stay secure and your integrations stay seamless. Agent tests its own work so you dont have to Agent tests and fixes its code , constantly improving your application behind the scenes in a reflection loop. While building your app, Agent will now periodically test it using a browser, generating a report and fixing the issues it finds. Our proprietary testing system is 3x faster and 10x more cost effective than Computer Use Models. Build Agents & Automations Agent can build other agents and create workflows . That means you can automate complex and repetitive workflows using natural language to increase your efficiency and productivity. You can interact with the agent you built by integrating it with your apps like Slack or email. Get inspired by our community [...] Replit feels like the perfect combination of just enough access to technical details/coding/deployment in addition to being insanely fast and outputting beautiful design” — Andrew Wilkinson Co-founder of Tiny (35+ companies) I asked Replit to clone LinkedIn” — just to see how far it would get with a single prompt. The result? A surprisingly functional prototype. It’s a powerful reminder with the right framing, today’s AI tools can turn a single idea into working software” — Reid Hoffman Co-Founder, LinkedIn I tried other app builders…they were a lot more rigid…to figure out databases and how it's going to look. Replit gets you from 0-1 in breakneck speed… If I went to my developer and said, make this, it would probably take him a week of his time.” — Preston Zeller Chief Growth Officer, BatchData What’s the Replit agent? Find out in 60 seconds What are you waiting for? Get Started free Handy Links About us Vibe Coding 101 Help How to guides Import from GitHub Status Additional resources Brand kit Partnerships Legal Terms of service Commercial agreement Privacy Subprocessors DPA Report abuse Connect X / Twitter Tiktok Facebook Instagram Linkedin Scroll to top All rights reserved. Copyright © 2026 Replit, Inc. | 2026-01-13T08:47:53 |
https://ruul.io/blog/freelance-tax-rates-in-spain#$%7Bid%7D | Freelance Tax Rates in Spain for 2025: What You Need to Know Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up get paid Freelance Tax Rates in Spain in 2025 Are you a freelancer in Spain? You need to learn about 2024 tax rates and tips for staying compliant. Click to learn more! Eran Karaso 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Income tax rates: 19% - 47%, the higher the income, the higher the rate. Income tax calculation: Different rates are charged according to income brackets. Social security premium: Depends on monthly income, with minimum and maximum payment options. Advantage for beginners: They can pay a fixed premium of €80 for the first 12 months. VAT rates: 21% (general), 10% (basic needs), 4% (essential needs). VAT declaration: Declared quarterly with Form 303. Tax deductions: Expenses such as office expenses, travel expenses, and consulting services are deductible. Annual and quarterly tax notifications : Annual reporting is done between April and June. Quarterly reporting is completed in January, April, July, and October. If you're a freelancer in Spain: Calculating taxes can be a nightmare. Income tax, VAT, social security... you can get buried under a ton of misinformation. Luckily, this article will save you time. It will inform you about the taxes you must pay in Spain in 2025. You will leave informed. Let's get to work! 1) Income tax rates for freelancers Your inevitable task as a freelancer making money in Spain: Declare your income and pay it. Tax rates increase gradually in Spain. This simply means that the more you earn, the more taxes you pay. Rates start at 19% and go up to 47% . Current tax rates: Up to €12,450: 19% €12,450 - €20,200: 24% €20,200 - €35,200: 30% €35,200 - €60,000: 37% Over €60,000: 47% How do you calculate? 1. Have past income records? Great! You can easily see how much tax you owe at year-end. 2. Keep an eye on your expenses. Deduct work-related costs from your taxes to protect more of your earnings. 3. Check the table we shared. A quick calculation will show your tax bracket and how much you need to pay. Example income tax calculation It would be good to give an example. Tax calculation is sometimes misunderstood. Let's say you make €18,000 a year. Up to €12,450: 19% (This part will already be taxed at a flat rate). €12,450 - €20,200: 24% (Your earnings fall within this range) Please avoid this mistake when calculating! If your income falls into two brackets, the income is taxed separately. For example, the first part of 18 thousand euros is taxed at 19%, the second at 24%. What should happen: First tranche 0 - €12,450 Tax: €12,450 × %19 = €2,365.50 Second tranche €12,450 - 18,000 Your earnings in this range: €18,000 - €12,450 = €5,550 Tax €5,550 × %24 = €1,332 Total tax? €2,365.50 (first) + €1,332 (second) = €3,697.50 In short, some of your income will be taxed at a low rate and some at a high rate. Forget the idea that all income will be calculated at the same rate. 2) Social security contributions The Spanish government has created a new contribution system for freelancers in 2023. As a freelancer, you have to pay a premium to Seguridad Social based on your monthly income. We highly recommend it. Not only will it protect you and your family, it will help you build a secure future. And, you can pay two ways: You can pay the minimum contribution floor to keep payments to a minimum. You can pay the maximum contribution floor for a higher pension in retirement. Here are the current rates Up to €670: Min. €205,23 / Max. €225,75 €670,01 - €900: Min. €225,75 / Max. €282,60 €900,01 - €1.166,69: Min €266,80 / Max. €366,34 You can use the official website of Seguridad Social to find out the social contribution you have to pay. Important note: If your income at the end of the year is less than expected, you can request a refund of your contributions. But remember that if your income is higher than expected, you will have to pay the difference. Flat rate for new freelancers Good news for first-time freelancers in 2023-2025. You can apply for a reduced fixed quota of €80 for the first 12 months. But there is one more thing: If you are 33% or more disabled, a victim of gender-based violence or terrorism, you can extend it up to 24 months. 3. VAT (Value Added Tax) VAT is a tax other than income tax that is included in every service. In short, when you buy clothes or food, you pay VAT. And the seller transfers the VAT to the government. In this case, you as a freelancer also need to add VAT to your outputs. The VAT rate for freelancers in Spain is 21% . A reduced 10% VAT for essentials like accommodation and transport. The lowest VAT is 4% . For super essentials like bread and medicine. But if you belong to one of these, you are exempt: Education and training Health Social assistance services Finance and insurance These services do not require VAT as they benefit the public and society. 3) Quarterly VAT return Something you have to deal with every quarter: Filing Form 303 and paying the VAT bill. Here is an example to better understand quarterly declarations Let's say you provided services as a freelancer in March, April, and May. March - if you invoiced €1000 for services: 21% VAT | €210 April - if you invoiced €500 for services: 21% VAT | €105 May - if you invoiced €1500 for services: 21% VAT | €315 Total: 210 + 105 + 315 = €630 You have to file the declaration by July 20 and pay the total VAT of €630. How to pay? The Agencia Tributaria online system makes it easy. You can simply file the VAT return using form 303. Remember that if you are entitled to deduct VAT (e.g. for educational and financial), this amount can be deducted. In this case, calculate at 10%, not 21%. Click here to access Form 303 on the official website. 4) Quarterly tax payments Freelancers are asked to file a tax return every 3 months to pay income tax and social security contributions. This includes the VAT payments you just mentioned. Quarterly tax payments are due on the 20th of April, July, October and January . 5) Deductions and allowances "Do I always have to pay taxes, aren't there tax deductions? " you may ask. Of course, there are deductions that allow you to keep some of your earnings. What can you deduct from your taxes? Common deductions include: Office supplies and equipment: Costs associated with running a freelance business. Travel and transportation: Expenses incurred while traveling for work purposes. Professional services: Fees for legal, accounting, and consulting services related to the business. Home office deduction: A portion of home expenses may be deductible if used exclusively for business. VAT reductions If you provide health, education, social welfare, financial, or insurance services, the VAT reduction is reduced from 21% to 10% . But remember, these are discounted because they are beneficial to society. So, arbitrary aesthetic operations in the health sector, etc. are not included in the discount. 6) Tax filing and deadlines Freelancers file annual and quarterly tax returns in Spain. You must file your annual income tax returns (Declaración de la Renta) between April and June of the following year. Quarterly tax filing dates for freelancers: 1st quarter: January, February, March - until April 20 2nd quarter: April, May, June - until July 20 3rd quarter: July, August, September - until October 20 4th quarter: October, November, December - until January 20 Frequently asked questions 1. How much tax does a freelancer pay in Spain? The tax you pay in Spain depends on the type of service and how much you earn. For example, VAT is 10% for the food sector and 4% for essentials such as milk, bread, and some medical products. 2. How much tax do I pay in Spain? In Spain you pay progressive income tax (19% - 47%), social security contributions (based on income), and VAT. To find out the tax you have to pay, you need to calculate and declare your monthly and annual income. ABOUT THE AUTHOR Eran Karaso Eran Karaso is a marketing and brand strategy leader with more than a decade of experience helping global tech companies connect with their audiences. He’s built brand narratives that stick, led successful go-to-market strategies, and worked hand-in-hand with cross-functional teams to ensure everyone is on the same page. More 5 Marketing Tip For Freelancers Elevate your freelance game with 5 pandemic-proof marketing tips. Stay ahead, thrive, and succeed! Read more How Freelancers Use Instagram Bio Links to Get More Clients Have followers on Instagram? Turn them into paying clients with Instagram bio links as a freelancer. Read more Tackling with isolation while working remotely Here are some of our actionable tips on how to overcome isolation when working remotely. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://ruul.io/blog/what-is-lemonsqueezy#$%7Bid%7D | Lemon Squeezy: How does it work? Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up sell What Is Lemon Squeezy? Full Guide For Freelancers And Creators Find out Lemon Squeezy's features, benefits, pricing, and how it helps independents. Esen Bulut 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Lemon Squeezy is an all-in-one platform for digital product sales, acting as a Merchant of Record (MoR) globally. Their target audiences are SaaS, content creators, and independent developers. They offer custom storefronts with your domain name and brand. With Lemon Squeezy, you can get paid in 130 currencies with 20+ payment methods. There are no monthly fees. You pay 5% + $0.50 commission per transaction. Lemon Squeezy has been making waves as a Merchant of Record platform aimed at freelancers and digital creators. It promises an all-in-one solution for selling products online, handling payments, taxes, compliance, and more. But what exactly does it offer, and how does it stack up for creators who want a streamlined way to monetize their work? In this guide, we’ll talk about what freelancers and creators should consider before jumping in. What is Lemon Squeezy? Lemon Squeezy is one of those “all-in-one” platforms built with digital creators and software companies in mind. As a Merchant of Record (MoR), it steps in to handle the boring stuff—taxes, payments, compliance—so you can stay focused on building and selling. You can offer subscriptions (monthly, yearly, with or without free trials), making it a solid fit for SaaS. And the best part? You don’t need to worry about VAT rules or invoicing chaos. It figures out the tax based on where your customer lives and sends the proper invoice . You don’t need to deal with any manual setup. But that’s actually what almost all MoR platforms do. Who’s it for? The bold letters on their homepage make it clear: SaaS businesses . That’s their sweet spot. You can sell digital products too, like mockups, templates, eBooks, courses, and more. If you’ve already built a bit of a following or personal brand, Lemon Squeezy gives you the infrastructure to monetize it . Just don’t expect it to do your marketing for you. That’s still on you. Key features Let's look at the key features of Lemon Squeezy . 1. Digital product sales From e-books and online courses to mockups and wallpaper designs, digital products are in high demand. And yes, you can sell all of them on Lemon Squeezy. I can almost hear you asking, “Can I use it to sell freelance services too?” Technically, yes. You could upload a file, set a price, and send the link to a client you’ve already agreed with. But here’s the thing: that’s not what Lemon Squeezy was really built for. Notice that: It’s not a smooth fit for service-based work, especially if you’re offering custom packages or ongoing subscriptions. 2. Subscription management With Lemon Squeezy, you can offer subscription plans to your customers. You can set up monthly/yearly subscription plans for your customers. Then manage them in one place: cancel, change, free trial, and payment cycle. You can activate email notifications to protect and increase your earnings . This way, items forgotten in the cart can turn into profit. You can also allow periodic charge attempts from your customer's card if a card has not been charged. 3. Global tax compliance Lemon Squeezy is a popular MoR platform. Therefore, they also manage the tax for you . So you don't have to deal with different documents in each jurisdiction. 4. Multiple payment methods You can offer customers the chance to pay with more than 20 payment methods and more than 130 currencies. PayPal is the most popular of these payment methods. 5. Affiliate program Do you have fans? Tell them that they can earn money by promoting your products. Thus, both your sales will increase and your followers will earn income. 6. Customizable storefronts You can customize your online store with your own domain, logo, fonts and colors. This way, your store is no longer monotonous and reflects your personal brand. 7. Analytics and reporting With Google Analytics and Meta Pixels integration, you can keep up to date with the traffic of your Lemon Squeezy store. Seller fees It’s free to register for Lemon Squeezy, and there are no subscription fees. The platform only takes a commission on transactions. So, you don't pay a fee unless you make a sale. And how much is the commission? 5% + 50¢ per transaction Other than that, there are no other costs. However, according to user reports, users based in Europe pay a bank commission when withdrawing money to their accounts. Benefits for freelancers and creators Let's see how Lemon Squeezy is useful to freelancers and content creators. 1. Drag-and-drop + no-code simplicity: Lemon Squeezy's ease of use comes from its drag-and-drop interface. Even if you don't know coding, you can create a store, complete integrations, and sell your service as a regular user. 2. Automatic VAT calculation by country: Lemon Squeezy manages every time-consuming application for you, from country-based VAT calculation to invoicing. 3. More than 130 countries covered: Like most MoR platforms, Lemon Squeezy allows you to sell in different currencies in over 130+ countries. 4. Flexible subscription types: You can shape your sales model as you wish: Yearly/monthly subscription, one-time payment, or pay-as-you-go options. 5. AI-enhanced fraud protection: This way, you won't suffer losses due to refund requests, and you can earn a stable income. Potential drawbacks Referring to user comments about Lemon Squeezy, I want to mention two main drawbacks. 1. High fees Compared to others, Lemon Squeezy might seem a bit pricey. That’s mostly because, on top of their 5% + 50¢ cut, bank fees also get taken out of your earnings. Sure, there are cheaper options out there. But when I looked into Lemon Squeezy on Reddit, most of the complaints were about the pricing. EU users in particular mentioned being charged higher fees. That said, keep in mind these rates can change from time to time, and some of the comments might be outdated. 2. Poor user support Some users have reported that the platform's support team has been slow to resolve issues. However, it is worth keeping in mind that this may be due to seasonal intensity. However, when it’s constantly happening, you lose time and money. That’s why we care a lot about providing responsive customer support at Ruul. Our users frequently mention that as our highlight. How to get started Here is how to get started with Lemon Squeezy in 3 steps. Step 1: Sign up for a free account Signing up for Lemon Squeeze is free of charge. Go to the registration page and join with your name, email, and password. After that, you’ll need an email confirmation, which is a good thing for the sake of safety. Step 2: Set up your storefront and customize it Create your online store without coding and customize it with your own brand materials. Once you log in to your account, the first step is to create your store with a personalized URL. See here: Step 3: Add your digital products The platform guides you through the next steps. First, you need to verify your identity and add additional security. No escape from this boring stuff. After that, you’re ready to go and create your first product. Click on the "+" icon in the top right corner of the panel and click on the "new product" button. To add the product, type the product name, the price, and then attach the file. Use the drag-and-drop function when adding the product to your store. You can list 3 different variations of the product: Basic Premium VIP It looks like this: The third step is to determine the pricing model: Single payment Subscription Lead magnet Pay what you want At this stage, you can add different variations of the product and price each one separately. If everything is ready, you can complete the process with the "Publish product" button. It may be useful to know: Lemon Squeezy does not market your store directly. You are responsible for marketing your products on your own website and social media. As a good alternative, Try Ruul Tired of high platform fees eating into your freelance income? Ruul puts more money back in your pocket with low commissions and no hidden charges. From global invoicing to tax compliance, from fast payouts to real human support, it’s all here. And it actually works the way freelancers need it to. Freelancers on G2 rate Ruul 4.9 —and here’s why: No fluff, no friction – Everything’s designed to be intuitive, not overwhelming. Pay your way – Get paid however you want. Yes, even in crypto. Real support, real fast – Got a problem? There’s a team ready to jump in. Speed that matters – Invoicing, payments, and platform performance. It’s all fast. Trust built in – Thousands of freelancers rely on Ruul to run their business without a hitch. Whether you’re just starting out or scaling your freelance career, Ruul gives you the freedom to focus on your craft. Join Ruul and freelance on your terms. Frequently asked questions Is Lemon Squeezy suitable for beginners? Yes, its intuitive interface makes it accessible for users without technical backgrounds. Can I use my own domain with Lemon Squeezy? Yes, you can customize your storefront and use your own domain. How does Lemon Squeezy handle taxes? As a Merchant of Record, it automatically calculates and remits taxes on your behalf. Are there any monthly fees? No monthly fees; Lemon Squeezy charges 5% + $0.50 per transaction. Does Lemon Squeezy support physical products? No, it's designed specifically for digital products and services. ABOUT THE AUTHOR Esen Bulut Esen Bulut is the co-founder of Ruul. After graduating Boston College with finance and economics degrees, she began her career as a Finance Executive. Prior to Ruul, she held managerial positions in finance and marketing. Esen's entrepreneurship success earned her recognition in Fortune's 40 under 40 list in 2022. More Understanding Upfront Payments Learn the benefits of upfront payments for freelancers, how to request them, and tools like Ruul for secure, efficient payment processing and global invoicing. Read more Freelance vs. Contract Work: Understanding the Fundamentals and Differences Discover the differences between freelance and contract work, including definitions, key differences, pros, and cons. Understand which career path suits you best based on flexibility, stability, work arrangements, and financial security. Explore common careers and payment structures to make an informed decision. Read more Best Freelance Jobs You're looking for the best freelance jobs AI won't wipe out. Safe, in-demand, future-ready, long-lasting work… you'll find it all right here. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://dev.to/new | New Post - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Join the DEV Community DEV Community is a community of 3,676,891 amazing developers Continue with Apple Continue with Facebook Continue with Forem Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to DEV Community? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:53 |
https://dev.to/t/systemdesign | Systemdesign - 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 # systemdesign Follow Hide Create Post Older #systemdesign 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 Contrast sync vs async failure classes using first principles Mohammad-Idrees Mohammad-Idrees Mohammad-Idrees Follow Jan 13 Contrast sync vs async failure classes using first principles # architecture # computerscience # systemdesign Comments Add Comment 3 min read Applying First-Principles Questioning to a Real Company Interview Question Mohammad-Idrees Mohammad-Idrees Mohammad-Idrees Follow Jan 13 Applying First-Principles Questioning to a Real Company Interview Question # career # interview # systemdesign Comments Add Comment 3 min read How to Question Any System Design Problem (With Live Interview Walkthrough) Mohammad-Idrees Mohammad-Idrees Mohammad-Idrees Follow Jan 13 How to Question Any System Design Problem (With Live Interview Walkthrough) # architecture # career # interview # systemdesign Comments Add Comment 4 min read Thinking in First Principles: How to Question an Async Queue–Based Design Mohammad-Idrees Mohammad-Idrees Mohammad-Idrees Follow Jan 13 Thinking in First Principles: How to Question an Async Queue–Based Design # architecture # interview # learning # systemdesign Comments Add Comment 4 min read Scalable Architecture Patterns Aren’t Magic — They Just Fix Constraints Daniel R. Foster Daniel R. Foster Daniel R. Foster Follow for OptyxStack Jan 13 Scalable Architecture Patterns Aren’t Magic — They Just Fix Constraints # performanceengineering # systemdesign # scalablearchitecture # sre 6 reactions Comments 2 comments 2 min read EP 8: The Legend of "ShopStream": A Tale of Two Architectures Hrishikesh Dalal Hrishikesh Dalal Hrishikesh Dalal Follow Jan 10 EP 8: The Legend of "ShopStream": A Tale of Two Architectures # systemdesign # webdev # architecture # microservices Comments Add Comment 4 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 Infrastructure for Extensible Multi-Stage Workflows Across Multiple Data Types Michael Gantman Michael Gantman Michael Gantman Follow Jan 12 Infrastructure for Extensible Multi-Stage Workflows Across Multiple Data Types # architecture # java # systemdesign Comments Add Comment 48 min read The Twelve-Factor App: 5 Surprising Truths About Modern Software Dhruv Dhruv Dhruv Follow Jan 12 The Twelve-Factor App: 5 Surprising Truths About Modern Software # twelvefactorapp # systemdesign # devops # softwareengineering Comments Add Comment 4 min read 🚀 The "Celebrity Problem": How to Handle the Taylor Swifts of Your Database 🎤📈 charan koppuravuri charan koppuravuri charan koppuravuri Follow Jan 13 🚀 The "Celebrity Problem": How to Handle the Taylor Swifts of Your Database 🎤📈 # systemdesign # architecture # distributedsystems # backend Comments Add Comment 3 min read When the GUI Disappears: Google UCP and the Shift to Protocol-First Commerce AaronWuBuilds AaronWuBuilds AaronWuBuilds Follow Jan 12 When the GUI Disappears: Google UCP and the Shift to Protocol-First Commerce # google # backend # systemdesign # commerce Comments Add Comment 5 min read Real-World Error Handling in Distributed Systems Saber Amani Saber Amani Saber Amani Follow Jan 12 Real-World Error Handling in Distributed Systems # softwareengineering # dotnet # systemdesign # cloud Comments Add Comment 5 min read Stop telling me Python is "too slow" for the 2026 backend. Naved Shaikh Naved Shaikh Naved Shaikh Follow Jan 12 Stop telling me Python is "too slow" for the 2026 backend. # python # systemdesign # backenddevelopment # fullstack 5 reactions Comments Add Comment 1 min read Load Balancing Explained (Simple Guide for Beginners) Mourya Vamsi Modugula Mourya Vamsi Modugula Mourya Vamsi Modugula Follow Jan 12 Load Balancing Explained (Simple Guide for Beginners) # webdev # programming # systemdesign # beginners Comments Add Comment 3 min read EDCA Admission Protocols: Introducing an Explicit Admission Layer for AI Systems yuer yuer yuer Follow Jan 12 EDCA Admission Protocols: Introducing an Explicit Admission Layer for AI Systems # ai # architecture # security # systemdesign Comments Add Comment 2 min read Beyond the Buzzwords: 5 Counter-Intuitive Lessons in System Design Amit Dey Amit Dey Amit Dey Follow Jan 11 Beyond the Buzzwords: 5 Counter-Intuitive Lessons in System Design # systemdesign # programming # security Comments Add Comment 7 min read Layered Architecture vs Feature Folders Saber Amani Saber Amani Saber Amani Follow Jan 11 Layered Architecture vs Feature Folders # architecture # systemdesign # softwareengineering Comments Add Comment 3 min read TIL: Byzantine Generals Problem in Real-World Distributed Systems Evan Lin Evan Lin Evan Lin Follow Jan 11 TIL: Byzantine Generals Problem in Real-World Distributed Systems # computerscience # learning # systemdesign Comments Add Comment 3 min read The Microsoft System Design Interview Resources That Actually Helped Me Land the Job Dev Loops Dev Loops Dev Loops Follow Jan 12 The Microsoft System Design Interview Resources That Actually Helped Me Land the Job # career # systemdesign # productivity # developers Comments Add Comment 4 min read Building Scalable AI Agent Systems: Three Evolutions web3nomad.eth web3nomad.eth web3nomad.eth Follow Jan 11 Building Scalable AI Agent Systems: Three Evolutions # systemdesign # architecture # ai # agents 1 reaction Comments Add Comment 18 min read Level 1 - Foundations #1. Client-Server Model Himanshu Bhatt Himanshu Bhatt Himanshu Bhatt Follow Jan 11 Level 1 - Foundations #1. Client-Server Model # systemdesign # distributedsystems # tutorial # beginners 5 reactions Comments Add Comment 4 min read System Design in Real Life: Why Ancient Museums are actually Microservices? Tyrell Wellicq Tyrell Wellicq Tyrell Wellicq Follow Jan 10 System Design in Real Life: Why Ancient Museums are actually Microservices? # discuss # systemdesign # architecture # beginners 1 reaction Comments 1 comment 2 min read Production-Grade Marketplace Backend youcef youcef youcef Follow Jan 10 Production-Grade Marketplace Backend # architecture # backend # systemdesign Comments Add Comment 2 min read Un sistema gobernable debe ser estructuralmente Sustituible Antonio Jose Socorro Marin Antonio Jose Socorro Marin Antonio Jose Socorro Marin Follow Jan 10 Un sistema gobernable debe ser estructuralmente Sustituible # discuss # ai # architecture # systemdesign 1 reaction Comments Add Comment 1 min read Network Communication Protocols and Artificial Intelligence Enhancement in IoT Environmental Monitoring Systems rachmad andri atmoko rachmad andri atmoko rachmad andri atmoko Follow Jan 10 Network Communication Protocols and Artificial Intelligence Enhancement in IoT Environmental Monitoring Systems # ai # iot # networking # systemdesign Comments Add Comment 29 min read loading... trending guides/resources How to Design a Rate Limiter in a System Design Interview? 5 Must-Read Books to Master Software Architecture and System Design The Art of Software Architecture: A Desi Developer's Guide to Building Systems That Actually Work Building RAG Systems: From Zero to Hero I Chose ByteByteGo in 2025: The One System Design Course That Actually Works The ONE Skill I'm Choosing Over LeetCode Grinding in 2025 Cron Jobs vs Real Task Schedulers: A Love Story Setup Hashicorp Vault + Vault Agent on Docker Compose From Repetitive Code to Clean Architecture: How the Decorator Pattern Simplified Activity Logging... How to Build Production-Grade Agentic AI Here's How I Designed Slack System Design Interview Platform In The Nick of Time 🧱 The Blueprint of Success: Mastering the Technical Requirements Document (TRD) Agentic patterns and architectural approaches in AI Writes done Right : Atomicity and Idempotency with Redis, Lua, and Go Hexagonal Architecture: A Complete Guide to Building Flexible and Testable Applications HTTP, REST Principles, and API Design Fundamentals Netflix Stranger Things S5 premiere Outage Code-Level Monolith: The Hybrid Architecture & The Art of "Flexible Deployment" Understanding Backpressure in web socket Arquitetura de Software e Design Assistido por IA: Quem Decide, Afinal? 💎 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:53 |
https://dev.to/t/architecture/page/9 | Architecture Page 9 - 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 Architecture Follow Hide The fundamental structures of a software system. Create Post Older #architecture posts 6 7 8 9 10 11 12 13 14 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Building a Lightweight ERP Core with Clean Architecture (Lessons Learned) Hoang Le Hoang Le Hoang Le Follow Jan 6 Building a Lightweight ERP Core with Clean Architecture (Lessons Learned) # architecture # learning # systemdesign Comments Add Comment 2 min read Message Schema Evolution in RabbitMQ: Using Virtual Hosts as Deployment Boundaries İbrahim Gündüz İbrahim Gündüz İbrahim Gündüz Follow Jan 6 Message Schema Evolution in RabbitMQ: Using Virtual Hosts as Deployment Boundaries # architecture # devops # microservices 1 reaction Comments Add Comment 3 min read Arcana: an agentic AI system for reasoning about MongoDB architectures Mario Noioso Mario Noioso Mario Noioso Follow Jan 7 Arcana: an agentic AI system for reasoning about MongoDB architectures # mongodb # ai # architecture # llm Comments Add Comment 1 min read Cuando la gobernanza depende del sistema, deja de ser gobernanza Antonio Jose Socorro Marin Antonio Jose Socorro Marin Antonio Jose Socorro Marin Follow Jan 7 Cuando la gobernanza depende del sistema, deja de ser gobernanza # ai # architecture # security # spanish Comments Add Comment 1 min read Architecting Scalable and Maintainable Node.js Applications: Best Practices and Examples Jeferson Eiji Jeferson Eiji Jeferson Eiji Follow Jan 5 Architecting Scalable and Maintainable Node.js Applications: Best Practices and Examples # node # architecture # bestpractices # scaling 1 reaction Comments Add Comment 2 min read Execution Control Layer (ECL): An Execution-Time Architectural Standard for AI Systems Rick-Kirby Rick-Kirby Rick-Kirby Follow Jan 5 Execution Control Layer (ECL): An Execution-Time Architectural Standard for AI Systems # architecture # ai # agents # governance Comments Add Comment 1 min read Intelligent API Key Management and Load Balancing: A Complete Guide to Building Resilient AI Applications using Bifrost Kuldeep Paul Kuldeep Paul Kuldeep Paul Follow Jan 5 Intelligent API Key Management and Load Balancing: A Complete Guide to Building Resilient AI Applications using Bifrost # api # architecture # devops # llm Comments Add Comment 22 min read Is This Thing On? Welcome to Rhiza's Kernel Chronicles fwdslsh fwdslsh fwdslsh Follow Jan 6 Is This Thing On? Welcome to Rhiza's Kernel Chronicles # agentic # kernel # architecture # systemdesign 1 reaction Comments Add Comment 9 min read OPTIOS is the most boring HTTP method — which is exactly why it’s dangerous to ignore. Liudas Liudas Liudas Follow Jan 5 OPTIOS is the most boring HTTP method — which is exactly why it’s dangerous to ignore. # api # architecture # backend Comments Add Comment 1 min read Why Your Terraform Modules Are Technical Debt (And What to Do About It) inboryn inboryn inboryn Follow Jan 6 Why Your Terraform Modules Are Technical Debt (And What to Do About It) # terraform # devops # architecture # webdev Comments Add Comment 5 min read Scaling API Access with Azure API Management: From Manual to Self-Service Anoush Anoush Anoush Follow Jan 4 Scaling API Access with Azure API Management: From Manual to Self-Service # architecture # azure # api # devops Comments Add Comment 7 min read Design Patterns in a Real-World Tkinter Application: From Lateral Coupling to Clean Architecture giuseppe costanzi giuseppe costanzi giuseppe costanzi Follow Jan 4 Design Patterns in a Real-World Tkinter Application: From Lateral Coupling to Clean Architecture # python # designpatterns # tkinter # architecture Comments Add Comment 6 min read Why Production AI Applications Need an LLM Gateway: From Prototype to Reliable Scale Kuldeep Paul Kuldeep Paul Kuldeep Paul Follow Jan 5 Why Production AI Applications Need an LLM Gateway: From Prototype to Reliable Scale # ai # architecture # devops # llm Comments Add Comment 17 min read 🎨 Design Patterns in Python: A Visual Guide Data Tech Bridge Data Tech Bridge Data Tech Bridge Follow Jan 4 🎨 Design Patterns in Python: A Visual Guide # architecture # beginners # python # tutorial Comments Add Comment 6 min read Node.js Events Yuriy Yuriy Yuriy Follow Jan 5 Node.js Events # backend # node # programming # architecture Comments Add Comment 4 min read mHC [Paper Cuts] Leo Lau Leo Lau Leo Lau Follow Jan 6 mHC [Paper Cuts] # architecture # computerscience # deeplearning # machinelearning Comments Add Comment 3 min read Circuit Breaker in Inter-Service Communication İbrahim Gündüz İbrahim Gündüz İbrahim Gündüz Follow Jan 10 Circuit Breaker in Inter-Service Communication # java # microservices # architecture # springboot 1 reaction Comments Add Comment 7 min read Stop writing invisible "Glue Code": Why I use N8N to orchestrate Python Microservices SuryaElz SuryaElz SuryaElz Follow Jan 6 Stop writing invisible "Glue Code": Why I use N8N to orchestrate Python Microservices # showdev # architecture # python # devops Comments Add Comment 1 min read The Day My AI Started Talking to Itself (And the Math Behind Why It Always Happens) Aleksandr Kossarev Aleksandr Kossarev Aleksandr Kossarev Follow Jan 6 The Day My AI Started Talking to Itself (And the Math Behind Why It Always Happens) # ai # memory # recursion # architecture Comments Add Comment 5 min read Part 7 — What GenAI Engineering Actually Is MuzammilTalha MuzammilTalha MuzammilTalha Follow Jan 5 Part 7 — What GenAI Engineering Actually Is # systemdesign # architecture # softwareengineering # ai Comments Add Comment 1 min read The Grid Is Running Out of Time And Modernization Can’t Be Treated as Optional Josh Hernandez Josh Hernandez Josh Hernandez Follow Jan 4 The Grid Is Running Out of Time And Modernization Can’t Be Treated as Optional # discuss # architecture # systemdesign Comments Add Comment 3 min read SwiftUI Navigation State Restoration (Cold Launch, Deep Links & Tabs) Sebastien Lato Sebastien Lato Sebastien Lato Follow Jan 4 SwiftUI Navigation State Restoration (Cold Launch, Deep Links & Tabs) # swiftui # navigation # architecture # state Comments Add Comment 2 min read Snowflake Data Cloud: A Comprehensive Guide Data Tech Bridge Data Tech Bridge Data Tech Bridge Follow Jan 5 Snowflake Data Cloud: A Comprehensive Guide # architecture # cloud # database # tutorial Comments Add Comment 31 min read Stop Hardcoding Dashboards: Why Your Stack Needs a Proper BI Layer Best Tech Company Best Tech Company Best Tech Company Follow Jan 6 Stop Hardcoding Dashboards: Why Your Stack Needs a Proper BI Layer # architecture # data # productivity Comments Add Comment 2 min read Centralizing Email Infrastructure on AWS with SESMailEngine Uros M. Uros M. Uros M. Follow Jan 4 Centralizing Email Infrastructure on AWS with SESMailEngine # architecture # aws # serverless Comments Add Comment 6 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:53 |
https://dev.to/devdiscuss/s7-e7-we-have-tools-to-help-you-with-your-imposter-syndrome | S7:E7 - We Have Tools To Help You With Your Imposter Syndrome - 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 DevDiscuss Follow S7:E7 - We Have Tools To Help You With Your Imposter Syndrome Dec 22 '21 play In this episode, we talk about imposter syndrome and how to conquer it with Michael Boroff, mental health program manager at Crossover Health, and Nick Taylor, lead software engineer at Forem. Show Notes Vultr (sponsor) DevNews (sponsor) CodeNewbie (sponsor) New Relic (sponsor) Microsoft 30 Days to Learn It (DevDiscuss) (sponsor) Commentary: Prevalence, Predictors, and Treatment of Imposter Syndrome: A Systematic Review Michael Boroff Michael Boroff oversees Crossover Behavioral Health services across the nation. Nick Taylor Nick Taylor is a lead software engineer with a focus on the front-end at Forem, the software that powers DEV. He does not get along with spiders. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand The Coding Mermaid 🧜♀️ The Coding Mermaid 🧜♀️ The Coding Mermaid 🧜♀️ Follow I’m Mónica, a FE Developer with a biology degree. We are always on time to reinvent ourselves✨ My goal is to inspire you and help follow your dreams ☕ Support me: https://ko-fi.com/monicafidalgo Location Portugal Work Frontend Product Engineer Joined Jan 12, 2020 • Jun 24 '22 Dropdown menu Copy link Hide Nice and easy to follow! I actually heard this while at the gym and the time passed by so fast! It was nice to hear everyone talking about their experiences and tips on how to overcome imposter syndrome! Thanks a lot for sharing! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand nick nick nick Follow 👨💻 Software Engineer / Open source software contributor Location Philippines, Bacolod City Western Negros Occidental 6100 Joined May 16, 2023 • Jul 10 '23 Dropdown menu Copy link Hide ♥️ 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:53 |
https://replit.com/products/security | Product - Security Agent Products Agent Design Database Publish Security Integrations Mobile For Work Teams Replit for teams to build together Enterprise Replit with Enterprise-grade security & controls Use Cases Business Apps Rapid Prototyping Roles Enterprise PM Designers Operations Software Developers Small Businesses SMB owners Founders Resources Get Started Docs Community Expert Network Inspiration Customer Stories Gallery Blog News Pricing Careers Agent Contact sales Log in Sign up Products For Work Resources Pricing Careers Contact sales Log in Start building Built-In Security for every Stage Replit includes pre-deployment scanning and secure-by-default settings to help you build safer apps from the start. For teams building apps at work, we also offer advanced features like SSO, SOC 2 compliance, Private Deployments, and Role-Based Access Controls - giving you the security and control you need at scale. Get started free Pre-Deployment Security Scanning Catch and fix vulnerabilities before you ship. Replit now offers optional pre-deployment security scans powered by Semgrep. Run a scan before deploying your app to automatically detect potential issues in your code. See something that needs fixing? Just click “Fix with Agent” and let Replit Agent handle the rest. Better Defaults for keeping API Keys secure Replit automatically checks your prompts to prevent sensitive information like API keys from being exposed. If you try to include an API key in a prompt, we’ll guide you to use our secure Secrets tool instead and make sure your secrets stay secret. Secrets are encrypted using Google Cloud’s secure storage and are safely accessible from your application’s code. Cloud Based Sandbox Environment for Deployment Security All Replit deployments are securely backed by Google Cloud Platform (GCP) App Deployments run on GCP Object storage uses Google Cloud Storage (GCS) Resource isolation between projects DDoS protection through Google Cloud Armor The safest place for vibe coding Vibe coding makes software creation accessible to everyone, entirely through natural language. Whether it’s personal software for yourself and family, a new business coming to life, or internal tools at your workplace, Replit is the best place for anybody to build. SSO for secure access Seamlessly onboard entire departments securely through your existing identity provider. SOC 2 for enterprise Create with confidence. Replit is SOC 2 compliant and meets rigorous security standards, empowering your orgs to develop mission-critical applications. Private deployments to protect innovations Share and test internal prototypes securely. Ensure only authorized team members can access your projects before they're ready for the world. Role-based access control Easily map your identity framework and assign specific roles to individuals or groups. Manage invites with SCIM. Control who can view, edit, or deploy your applications. What are you waiting for? Get Started free Handy Links About us Vibe Coding 101 Help How to guides Import from GitHub Status Additional resources Brand kit Partnerships Legal Terms of service Commercial agreement Privacy Subprocessors DPA Report abuse Connect X / Twitter Tiktok Facebook Instagram Linkedin Scroll to top All rights reserved. Copyright © 2026 Replit, Inc. | 2026-01-13T08:47:53 |
https://claude.com/pricing | Pricing | Claude -------> Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Pricing Pricing Explore here Ask questions about this page Copy as markdown Pricing Individual Team & Enterprise API Active Free Try Claude $0 Free for everyone Try Claude Try Claude Try Claude Chat on web, iOS, Android, and on your desktop Generate code and visualize data Write, edit, and create content Analyze text and images Ability to search the web Unlock more from Claude with desktop extensions Pro For everyday productivity $17 Per month with annual subscription discount ($200 billed up front). $20 if billed monthly. Try Claude Try Claude Try Claude Everything in Free, plus: More usage* Access Claude Code on the web and in your terminal Create files and execute code Access to unlimited projects to organize chats and documents Access to Research Connect Google Workspace: email, calendar, and docs Integrate any context or tool through connectors with remote MCP Memory across conversations Extended thinking for complex work Ability to use more Claude models Max Get the most out of Claude From $100 Per person billed monthly Try Claude Try Claude Try Claude Everything in Pro, plus: Choose 5x or 20x more usage than Pro* Higher output limits for all tasks Memory across conversations Early access to advanced Claude features Priority access at high traffic times Claude in Excel Additional usage limits apply. Prices shown don’t include applicable tax. Team For collaboration across organizations Create a Team plan Create a Team plan Create a Team plan Standard seat Chat, projects, and more $25 Per person / month with annual subscription discount. $30 if billed monthly. Minimum 5 members. Premium seat Includes Claude Code $150 Per person / month. Minimum 5 members. More usage* Admin controls for remote and local connectors Single sign-on (SSO) and domain capture Enterprise deployment for the Claude desktop app Enterprise search across your organization Connect Microsoft 365, Slack, and more Central billing and administration Early access to collaboration features Claude Code available with premium seat Enterprise For businesses operating at scale Contact sales Contact sales Contact sales Everything in Team, plus: More usage* Enhanced context window Role-based access with fine-grained permissioning System for Cross-domain Identity Management (SCIM) Audit logs Google Docs cataloging Compliance API for observability and monitoring Claude Code available with premium seat Custom data retention controls HIPAA-ready offering available Additional usage limits apply. Prices shown don’t include applicable tax. Education plan Get a comprehensive university‐wide plan for an institution, including its students, faculty, and staff. Learn more Learn more Learn more Student and faculty access Comprehensive access for all university members at discounted rates Academic research and learning mode Dedicated API credits and educational features for student learning Training and enablement Resources for successful adoption across your institution Latest models Contact sales Contact sales Contact sales Start building Start building Start building Save 50% with batch processing. Learn more Batch processing Opus 4.5 Most intelligent model for building agents and coding Input $ 5 / MTok Output $ 25 / MTok Prompt caching Write $ 6.25 / MTok Read $ 0.50 / MTok Sonnet 4.5 Optimal balance of intelligence, cost, and speed Input Prompts ≤ 200K tokens $ 3 / MTok Prompts > 200K tokens $ 6 / MTok Output Prompts ≤ 200K tokens $ 15 / MTok Prompts > 200K tokens $ 22.50 / MTok Prompt caching ≤ 200K tokens Write $ 3.75 / MTok Read $ 0.30 / MTok > 200K tokens Write $ 7.50 / MTok Read $ 0.60 / MTok Haiku 4.5 Fastest, most cost-efficient model Input $ 1 / MTok Output $ 5 / MTok Prompt caching Write $ 1.25 / MTok Read $ 0.10 / MTok Prompt caching pricing reflects 5-minute TTL. Learn about extended prompt caching . Explore detailed pricing Explore detailed pricing Explore detailed pricing Pricing for tools Get even more out of Claude with advanced
features and capabilities. Learn more Learn more Learn more Web search Give Claude access to the latest information from the web. Doesn’t include input and output tokens required to process requests. Cost $10 / 1K searches Code execution Run Python code in a sandboxed environment for advanced data analysis. 50 free hours of usage daily per organization. Additional hours $0.05 per hour per container Service tiers Balance availability, performance, and predictable costs based on your needs. Learn more Learn more Learn more Contact sales Contact sales Contact sales Priority When time, availability, and predictable pricing are most important Standard Default tier for both piloting and scaling everyday use cases Batch For asynchronous workloads that can be processed together for better efficiency Legacy models Learn more Learn more Learn more Explore detailed pricing Explore detailed pricing Explore detailed pricing Save 50% with batch processing. Learn more Batch processing Opus 4.1 Input $ 15 / MTok Output $ 75 / MTok Prompt caching Write $ 18.75 / MTok Read $ 1.50 / MTok Sonnet 4 Input $ 3 / MTok Output $ 15 / MTok Prompt caching Write $ 3.75 / MTok Read $ 0.30 / MTok Opus 4 Input $ 15 / MTok Output $ 75 / MTok Prompt caching Write $ 18.75 / MTok Read $ 1.50 / MTok Haiku 3 Input $ 0.25 / MTok Output $ 1.25 / MTok Prompt caching Write $ 0.30 / MTok Read $ 0.03 / MTok Prompt caching pricing reflects 5-minute TTL. Learn about extended prompt caching . Homepage Homepage Next Next Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Write Button Text Button Text Learn Button Text Button Text Code Button Text Button Text Write Help me develop a unique voice for an audience Hi Claude! Could you help me develop a unique voice for an audience? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Improve my writing style Hi Claude! Could you improve my writing style? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Brainstorm creative ideas Hi Claude! Could you brainstorm creative ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Learn Explain a complex topic simply Hi Claude! Could you explain a complex topic simply? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Help me make sense of these ideas Hi Claude! Could you help me make sense of these ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Prepare for an exam or interview Hi Claude! Could you prepare for an exam or interview? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Code Explain a programming concept Hi Claude! Could you explain a programming concept? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Look over my code and give me tips Hi Claude! Could you look over my code and give me tips? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Vibe code with me Hi Claude! Could you vibe code with me? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! More Write case studies This is another test Write grant proposals Hi Claude! Could you write grant proposals? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to — like Google Drive, web search, etc. — if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can - an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Write video scripts this is a test Anthropic Anthropic © [year] Anthropic PBC Products Claude Claude Claude Claude Code Claude Code Claude Code Max plan Max plan Max plan Team plan Team plan Team plan Enterprise plan Enterprise plan Enterprise plan Download app Download app Download app Pricing Pricing Pricing Log in Log in Log in Features Claude in Chrome Claude in Chrome Claude in Chrome Claude in Slack Claude in Slack Claude in Slack Claude in Excel Claude in Excel Claude in Excel Skills Skills Skills Models Opus Opus Opus Sonnet Sonnet Sonnet Haiku Haiku Haiku Solutions AI agents AI agents AI agents Code modernization Code modernization Code modernization Coding Coding Coding Customer support Customer support Customer support Education Education Education Financial services Financial services Financial services Government Government Government Healthcare Healthcare Healthcare Life sciences Life sciences Life sciences Nonprofits Nonprofits Nonprofits Claude Developer Platform Overview Overview Overview Developer docs Developer docs Developer docs Pricing Pricing Pricing Regional Compliance Regional Compliance Regional Compliance Amazon Bedrock Amazon Bedrock Amazon Bedrock Google Cloud’s Vertex AI Google Cloud’s Vertex AI Google Cloud’s Vertex AI Console login Console login Console login Learn Blog Blog Blog Claude partner network Claude partner network Claude partner network Courses Courses Courses Connectors Connectors Connectors Customer stories Customer stories Customer stories Engineering at Anthropic Engineering at Anthropic Engineering at Anthropic Events Events Events Powered by Claude Powered by Claude Powered by Claude Service partners Service partners Service partners Startups program Startups program Startups program Tutorials Tutorials Tutorials Use cases Use cases Use cases Company Anthropic Anthropic Anthropic Careers Careers Careers Economic Futures Economic Futures Economic Futures Research Research Research News News News Responsible Scaling Policy Responsible Scaling Policy Responsible Scaling Policy Security and compliance Security and compliance Security and compliance Transparency Transparency Transparency Help and security Availability Availability Availability Status Status Status Support center Support center Support center Terms and policies Privacy choices Cookie settings We use cookies to deliver and improve our services, analyze site usage, and if you agree, to customize or personalize your experience and market our services to you. You can read our Cookie Policy here . Customize cookie settings Reject all cookies Accept all cookies Necessary Enables security and basic functionality. Required Analytics Enables tracking of site performance. Off Marketing Enables ads personalization and tracking. Off Save preferences Privacy policy Privacy policy Privacy policy Responsible disclosure policy Responsible disclosure policy Responsible disclosure policy Terms of service: Commercial Terms of service: Commercial Terms of service: Commercial Terms of service: Consumer Terms of service: Consumer Terms of service: Consumer Usage policy Usage policy Usage policy x.com x.com LinkedIn LinkedIn YouTube YouTube Instagram Instagram English (US) English (US) 日本語 (Japan) Deutsch (Germany) Français (France) 한국어 (South Korea) | 2026-01-13T08:47:53 |
https://sites.google.com/view/quipa/store-directory | r/headphones ☊ - Store Directory Search this site Embedded Files Skip to main content Skip to navigation r/headphones ☊ Assistants Power Calculator Store Directory FAQ Hub r/headphones ☊ Assistants Power Calculator Store Directory FAQ Hub More Assistants Power Calculator Store Directory FAQ Hub Store Directory You can suggest additional stores here Google Sites Report abuse Google Sites Report abuse | 2026-01-13T08:47:53 |
https://forem.com/enter?signup_subforem=63&state=new-user | Welcome! - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Join the Forem Forem is a community of 3,676,891 amazing members Continue with Apple Continue with Facebook Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to Forem? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — Your community HQ Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:47:53 |
https://ruul.io/blog/16-client-gifts-that-keep-your-solo-business-in-mind-all-year#$%7Bid%7D | Thoughtful client gift ideas for 2023 - Ruul (Formerly Rimuut) Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up work Thoughtful client gift ideas for 2023 Ultimate guide to freelancer gift-giving, along with a carefully curated list of creative gift ideas for clients. Ceylin Güven 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points The holiday season has arrived; you might be considering getting gifts for your freelance clients, which is a custom that’s been getting more and more popular. After all, building better relationships with your clients can get you a long way. However, with this idea comes a few questions: What’s appropriate to get as a client gift? How much should you spend? Do you have to buy gifts for all of your freelance clients, or is there a conventional way? Don’t worry –this blog post was written to save you the trouble. Below you’ll find Ruul’s ultimate guide to freelancer gift-giving , along with a carefully curated list of creative gift ideas for clients. Happy holidays, happy freelancing, and happy shopping! 3 questions to ask yourself before buying gifts Before you rush into buying freelance client gifts , here are 3 questions you should ask yourself: What will you gain from buying your clients gifts? It’s completely normal to be on the fence about whether buying gifts for your freelance clients is worth it. This is a difficult choice to make, but can potentially end up being highly rewarding for your business. To help you make a decision, we collected some benefits this practice can bring you: Reinforcing stronger bonds and building a more genuine relationship with your client Underlining that you’re happy to be working with them through a nice gesture Possibly leading to long-term contracts by showing that you’re willing to spend money on them Paving the way for getting more business referrals Exhibiting how familiar you are with their wants and needs through personalized client gifts Which clients should you buy gifts for? If you’re not an incredibly small-scale freelancer, buying gifts for every client is virtually impossible. Picking out personalized gifts for everyone is a lot of time and effort, not to mention the added financial strain it can bring. So, how do you pick who to buy for? Narrowing down this list might be difficult because you probably don’t want to ‘leave people out’. But, we advise you to focus on how you should be taking care of yourself first –both financially and emotionally. Don’t feel pressured to buy any client gifts, and be mindful while filtering them out. Try to build on client relationships worth preserving, like long term loyal customers, larger contracts, ones that get you frequent referrals , etc. If you feel this is an insignificant and/or one-off partnership, buying them a gift might not be worth the cost and effort. Similarly, difficult clients you don’t want to stay in touch with shouldn’t expect a gift from you either. What should be the price limit? First and foremost, budgeting properly is important. After making a list of which freelance clients you’ll buy gifts for, you should divide up your gifting budget accordingly to avoid financial strain. Or, if you have a specific gift for someone in mind you really want to buy, you can frame the rest of your budget around that. Nevertheless, you shouldn’t be biting off more than you can chew when it comes to buying expensive gifts. It’s the thought that counts. All in all, it’s a completely personal decision that’s up to you. Virtual gift ideas for freelance clients Virtual cards Client gift cards are already a popular concept, but some fear it might feel too impersonal. However, you can easily customize them by creating your own virtual cards , or finding an online alternative with flexible templates. This way, you can send them on any special occasion, and also personalize them to fit your freelance business’ brand and customer’s situation. In a 2018 research, PHS Wastekit found that, each year, 1 billion Christmas cards are thrown away in the UK alone. So why not stop wasting paper and go all-digital ? Sending online cards is a great alternative–it’s sustainable, cheap (some options can also be free), and able to reach many more clients much easier. Price: Free if you design them yourself, less than $1 per client if you send them through online services Availability: All you need is an email account, and an online virtual card store, such as Paperless Post or Smilebox . Or, if you want to design them yourself, you can easily find free templates or use a graphic design software . Best for: Every client you want to thank, and/or has an important milestone coming up (holidays, birthday, promotion, etc.) Charity donation in their name What better way to share the warmth of the holiday season than to make a charity donation in the name of your client? It’s a really thoughtful gift that is bound to make some positive impact . (Bonus points if it’s a cause that’s near and dear to their heart.) You can email them the donation certificate you receive in return, and spread the love! Price: However much you want to donate Availability: Almost all charities accept online donations. There are also charity directory sites, such as Givewell , that can help you find a charity to donate to. Best for: Clients you want to extend your humane connection with Gift cards/vouchers Getting your freelance clients a store gift card is a safe choice: This way, they’ll get to pick whatever they’ll like. You can pick a giant retailer for more buying options, like Amazon, or choose somewhere that you know your client loves for a more personal detail. You can also add custom messages to the cards for an extra touch of genuinity. Price: Anywhere from $10 to $200 Availability: Online shopping sites, all chains, and some local stores Best for: Everyone that needs a little more encouragement during the holiday season Physical gift ideas for freelance clients If a virtual gift isn’t enough for you, and you want to physically mail a gift directly to your client, we got you covered. Here are 5 physical client gift ideas: Gift boxes One of the first things that come to mind with client gifts is a gift box . These are customizable boxes that include specifically curated items , so that you can especially guarantee that your client will love them. Price: Affordable boxes start at around $25, with the average options around $35-45. Varies significantly between stores, items, etc., but you don’t really need to go extremely high-end to make it a significant gift. Availability: You can find many alternatives for client gift boxes (or client gift baskets) online ( Greetabl , FoxBox , etc.). You can also DIY your own gift box with custom-bought items and ship it yourself for an added touch of genuinity. Best for: Long-term clients you want to express significant gratitude towards Confectionery boxes In a very similar vein, a confectionery gift box (also called a “dessert gift box”) is an option that only includes tasty snacks and sweets. Price: Chocolate bundles are around $20 on average, but ones that include baked goods and desserts can be all the way up to $50-$60. Availability: International shipping might be difficult and risky for this gift. There are local online stores available (like Sugarfina for the US and Canada-based), which might be a better option. Best for: Clients you have a closer relationship with Desk decoration A gift to help decorate your client’s office space and desktop can be a really thoughtful alternative. The most popular option under this category is to buy a small plant , either real or fake. These are an easy way to spice up your office setup, relatively effortless to take care of, and also among the more inexpensive client gift ideas. (Hint: If you’re not well-versed in botany, take a look at this article by House Beautiful that lists 11 low-maintenance plants that are fit for the office.) Price: Ranging anywhere between $9-$40, depending on the size and plant type Availability: Easy to find and ship from anywhere Best for: Clients with a stationary workspace, who will be able to take care of the plant (Not frequent travelers or digital nomads , for example) Alternatively, you can consider some other office desk decoration gifts, such as: A terrarium A small decorative desk lamp A monitor stand A power bank / wireless charging station Desk organizers A compact air purifier Customized drinkware Staying hydrated (and caffeinated) in the workplace is an important asset. Which is why a personalized mug , tumbler , or even a small bag of coffee beans/tea blend can make a really good present. Price: Around $5-10 Availability: There are many dedicated online shops that ship internationally ( Zazzle , VistaPrint , Etsy and Amazon stores, etc.). If you don’t find a design you like, you can easily create a custom graphic through online tools like Canva. Best for: Caffeine lovers that you are familiar enough to customize designs for Blue light blocking glasses This might seem like one of the more unique client gifts on this list, but hear us out. Anti eyestrain glasses are both relatively cheap, and an easy way to protect your health and vision. Buying one might show your thoughtfulness and that you care for the well-being of your client , which will definitely lead to positive associations. Price: $10-15 Availability: Many alternatives on international online retailers, such as Amazon Best for: Any professional who spends most of their times on their computer Customize your freelance client gifts It should be among your business goals as a freelancer to create longer-lasting relationships with your freelance clients , and sending them gifts is a great way to foster that. The most important thing to remember here is that the best client gifts are the ones personalized to the client. Don’t get them gifts just for the sake of it–show that you care. We hope our list could provide a great starting point. In the meantime, get yourself a gift by exploring our all-in-one freelancer and solopreneur platform Ruul ! ABOUT THE AUTHOR Ceylin Güven Ceylin Güven likes reading anything she can get her hands on, writing poetry that’s way too personal, and watching Studio Ghibli movies. More Freelancing ideas and tips for students Discover how freelancing as a student can help you earn extra cash, build your skills, and enhance your CV. Learn how to get started now! Read more Mike La Rosa: 'Hands down, remote work IS the future of work' Explore insights from industry leaders on the transformative power of remote work in shaping the future of the workplace! Read more What Is Freelancing? Fundamentals and Popular Jobs Learn what freelancing means and discover how to start, find clients, set rates, and protect your rights as an independent professional. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://sites.google.com/view/dacampadvice/home | r/headphones ☊ Search this site Embedded Files Skip to main content Skip to navigation r/headphones ☊ Home Desktop Under 100$ Under 200$ 200-500$ 500$ or more Portable Under 100$ 100$ or more DIY Kits Output Impedance Database r/headphones ☊ Home Desktop Under 100$ Under 200$ 200-500$ 500$ or more Portable Under 100$ 100$ or more DIY Kits Output Impedance Database More Home Desktop Under 100$ Under 200$ 200-500$ 500$ or more Portable Under 100$ 100$ or more DIY Kits Output Impedance Database DAC & Amplifier Assistant Mk-II Feedback and suggestions for additional models are very welcome. You can post them here Desktop Portable Google Sites Report abuse Google Sites Report abuse | 2026-01-13T08:47:53 |
https://insights.linuxfoundation.org/project/llvm-llvm-project | LLVM Insights Leaderboards Open Source Index Docs GitHub LFX Platform Organization Dashboard Individual Dashboard Project Control Center Security EasyCLA Mentorship Crowdfunding Community Data Platform Know more about LFX Platform Past 365 days Filters Share Report issue Search projects, repositories... ⇧+K Leaderboards Open Source Index Docs GitHub LLVM / All repositories Overview Contributors Popularity Development Security & Best Practices Overview Health score Excellent The Insights Health Score combines the four key areas to measure an open source project's overall trustworthiness. Learn more Share your project Health Score in your GitHub page. Generate badge Contributors Popularity Development Security & Best practices Quarterly Active Contributors 3,189 active contributors in the last quarter - Project benefits from a large contributor base, ensuring continuous improvement and a vibrant development community Contributor Dependency 124 contributors account for 51%+ of contributions - This project benefits from excellent contributor diversity, ensuring robust support and a highly resilient development process. Quarterly Contributor Retention Rate 37% of contributors are contributing quarter over quarter - This project has excellent contributor retention, indicating a highly engaged and stable community. Organization Dependency 6 organizations account for 51%+ of contributions - This project benefits from strong organizational diversity, with contributions well-distributed across many organizations. GitHub Stars 37,017 GitHub stars - This project has great visibility on GitHub. It's important to assess this in context, as star counts can be artificially inflated. GitHub Forks 13,596 forks - This project has exceptional forking activity, suggesting widespread influence and robust engagement. While impressive, fork counts can occasionally be artificially inflated, so consider them in context with additional metrics. New Pull Requests per Month 40,538 new pull requests per month - This project has excellent pull request activity, signaling a vibrant development process and high community involvement. Active Days Active on 365 of the last 365 days - Project demonstrates exceptionally consistent activity, with development occurring multiple times per week. Issues Resolution Average issue resolution time is 34 days - This project demonstrates reasonable issue resolution times, reflecting a balanced approach to maintenance and responsiveness. Merge Lead Time Average lifespan of a PR is 7 days - This project exhibits a reasonable merge lead time, reflecting a balanced and consistent review process. Contributions Outside Work Hours 43% of contributions occur outside regular working hours - This project depends on contributors working outside of working hours. Controls assessment Alpha version Process of assessing a project's practices, policies, and technical measures against a set of predefined standards to determine its security posture, reliability, and maturity. Learn more Assessment breakdown Build and Release Build and Release ensures secure, consistent software builds and distribution through controlled tools and processes. Legal Legal ensures code is under a valid open source license, reducing IP risks and ensuring proper licensing and distribution. Access Control Access Control ensures only authorized users access version control and CI/CD pipelines to protect sensitive data. Quality Quality ensures code is secure, reliable, and well-maintained through strong processes, reducing bugs and vulnerabilities. Governance Governance defines policies and processes to guide decisions and community actions, ensuring readiness for risks and growth. Contributors Quarterly Active Contributors 3,189 active contributors in the last quarter - Project benefits from a large contributor base, ensuring continuous improvement and a vibrant development community Contributor Dependency 124 contributors account for 51%+ of contributions - This project benefits from excellent contributor diversity, ensuring robust support and a highly resilient development process. Quarterly Contributor Retention Rate 37% of contributors are contributing quarter over quarter - This project has excellent contributor retention, indicating a highly engaged and stable community. Organization Dependency 6 organizations account for 51%+ of contributions - This project benefits from strong organizational diversity, with contributions well-distributed across many organizations. Popularity Development Security & Best practices LFX Insights helps developers and their organizations make smarter decisions about the open source projects they depend on. Join discussions Submit project LFX Insights Leaderboards Collections Open Source Index Docs Report issue Join discussions Latest blog posts Product Update November 2025 The First 3 Months of Insights Introducing Insights Other LFX Tools Individual Dashboard Organization Dashboard Project Control Center Mentorship Crowdfunding | 2026-01-13T08:47:53 |
https://dev.to/devdiscuss/s9e2-a-journey-in-real-world-problem-solving-with-regex | S9:E2 - A Journey in Real-World Problem Solving with Regex - 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 DevDiscuss Follow S9:E2 - A Journey in Real-World Problem Solving with Regex May 18 '22 play In this episode, we talk about how we created unified embeds with Arit Amana, software engineer at Forem, and Jeremy Friesen, lead software engineer at Forem. Show Notes DevNews (sponsor) CodeNewbie (sponsor) Cockroach Labs (DevDiscuss) (sponsor) Swimm (DevDiscuss) (sponsor) Stellar (DevDiscuss) (sponsor) Drata (DevDiscuss) (sponsor) Regex Jeremy Friesen Jeremy Friesen is an open source software developer focused on mentoring, process improvement, and crafting analogies. Arit Amana Arit Amana is a bootcamp-educated software engineer who transitioned to her current role at 37, after being a public-health analyst, and then a stay-at-home mom of two. In her free time, Arit passionately supports those attempting similar career transitions through speaking and mentoring. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Muhammad Muzammil Rawjani Muhammad Muzammil Rawjani Muhammad Muzammil Rawjani Follow Co-Founder at TechnBrains | Co-Founder at KoderLabs | Entrepreneur | Thought leader Email muzammil.rawjani@gmail.com Location Texas, US Work Co-Founder at TechnBrains Joined Aug 1, 2023 • Aug 1 '23 Dropdown menu Copy link Hide I really enjoyed listening to this podcast. Arit and Jeremy did a great job of explaining the basics of regular expressions (regex) and how they can be used to solve real-world problems. I especially appreciated the way they broke down the concepts into easy-to-understand terms and provided examples of how regex can be used in different programming languages. 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:53 |
https://claude.com/chrome | Claude in Chrome | Claude -------> Beta Next Next The browser extension is a beta feature with unique risks—stay alert and protect yourself from bad actors. Learn how Learn how Learn how Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Claude in Chrome Claude in Chrome Explore here Ask questions about this page Copy as markdown Claude works in your browser Now Claude can navigate, click buttons, and fill forms in your browser. Works with Claude Code and Claude Desktop. Available in beta to all paid subscribers. Add to Chrome Add to Chrome Add to Chrome Watch demo Watch demo Watch demo Next Next A helping hand across all your tabs Let your browser work for you. Claude can navigate, click buttons, and fill forms on Chrome. New Claude Code Everyday tools Background tasks Scheduled workflows Active Works with Claude Code Connect development workflows to Chrome for a partner that tests and iterates with you. Uses your everyday tools Bring Claude into your workflow to make apps work better, without leaving the browser. Runs tasks in the background Start a workflow and move on. Claude completes tasks while you focus elsewhere. Completes scheduled workflows Set reports, updates, and check-ins to run daily or weekly without manual triggers. Speed up everyday tasks with Claude in Chrome Pull metrics from analytics dashboards Claude can navigate your analytics dashboard, extract the numbers you need, and compile them into a summary. No exports, no tab-switching, no manual copying. Learn more Learn more Learn more Organize files in Google Drive Claude can sort through your Drive, create a folder structure, move files where they belong, and flag duplicates and old files for you to review. You approve the changes instead of doing the sorting yourself. Learn more Learn more Learn more Prepare and plan from your calendar Claude can read your calendar, pull context from email threads, flag which meetings you need to prepare for, and book rooms if they’re missing. Run it every evening and start each day knowing what's coming. Learn more Learn more Learn more Compare products across sites Claude can read the specs from multiple product pages you have open, normalize the data, and create a comparison table in Google Sheets. You stop tab-switching and start deciding. Learn more Learn more Learn more Log sales calls to your CRM Claude can read your calendar, match attendees to Salesforce contacts, and draft activity logs for each call. You add notes and approve before anything gets created. Learn more Learn more Learn more Clean up promotional emails Claude can scan through your inbox, identify marketing emails, newsletters, and automated notifications, then present them as a list for you to review before deleting in bulk. Learn more Learn more Learn more Browse safely with Claude Claude brings AI directly to your browser. While powerful, this creates risks that bad actors may try to exploit. Understand the risks Understand the risks Understand the risks Start with trusted sites Only grant permissions to familiar websites while learning how Claude works. Review sensitive actions Always confirm before Claude handles financial, personal, or work-critical tasks. Watch for unusual behavior Some sites may hide instructions that override yours. If Claude acts unexpectedly, pause and review. Report issues immediately Help improve safety by flagging concerning behavior through feedback options. Guide Mitigating the risk of prompt injections in browser use Read more Read more Read more Guide Using Claude for Chrome Safely Read more Read more Read more Guide Claude for Chrome Permissions Guide Read more Read more Read more Prev Prev Next Next Prev Prev Next Next FAQ How does Claude Code work with the Chrome extension? Developers can use Claude Code to build and test directly in Chrome. This integration enables faster iteration on browser-based projects. How does Claude Desktop work with the Chrome extension? Desktop app users can start a task in Claude Desktop and let it handle work in the browser without switching windows by enabling Claude in Chrome as a connector. What browser activity is not recommended? Avoid financial transactions, password management, or anything involving sensitive personal data. Start with trusted sites and familiar workflows where you're comfortable having Claude take actions. Never use it for high-stakes decisions without careful supervision. And, of course, make sure your use complies with our acceptable use policy . Learn more. How do I control what Claude can access? Pre-approve actions that Claude can take on websites before you start working. You can review Claude's approach upfront, then let it run. Claude will still ask before taking certain irreversible or potentially harmful actions, like making a purchase. For trusted workflows, you can choose to skip all permissions, but you should supervise Claude closely. While some safeguards exist for sensitive actions, malicious actors could still trick Claude into unintended actions. Learn more. What are the security risks? Browser AI faces unique security risks, like prompt injection attacks, where malicious actors might try to trick Claude into unintended actions, such as sharing your bank information or deleting important files. While we’ve implemented protections, they aren’t foolproof. Attack vectors are constantly evolving and Claude may hallucinate, leading to actions that you did not intend. We’ve shared our testing results, including possible attack scenarios, so you can make informed decisions, and strongly encourage you to read about the risks before using this product. Read blog post. Claude in Chrome Troubleshooting This article helps you resolve common issues with Claude in Chrome and explains how to provide feedback. Read more Read more Read more Prev Prev Next Next Explore what’s next Using this feature and giving feedback directly improves what Claude can do. Add to Chrome Add to Chrome Add to Chrome This is a Google extension. The use of information received from Google APIs will adhere to the Chrome Web Store User Data Policy, including the Limited Use requirements. Homepage Homepage Next Next Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Write Button Text Button Text Learn Button Text Button Text Code Button Text Button Text Write Help me develop a unique voice for an audience Hi Claude! Could you help me develop a unique voice for an audience? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Improve my writing style Hi Claude! Could you improve my writing style? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Brainstorm creative ideas Hi Claude! Could you brainstorm creative ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Learn Explain a complex topic simply Hi Claude! Could you explain a complex topic simply? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Help me make sense of these ideas Hi Claude! Could you help me make sense of these ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Prepare for an exam or interview Hi Claude! Could you prepare for an exam or interview? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Code Explain a programming concept Hi Claude! Could you explain a programming concept? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Look over my code and give me tips Hi Claude! Could you look over my code and give me tips? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Vibe code with me Hi Claude! Could you vibe code with me? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! More Write case studies This is another test Write grant proposals Hi Claude! Could you write grant proposals? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to — like Google Drive, web search, etc. — if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can - an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Write video scripts this is a test Anthropic Anthropic © [year] Anthropic PBC Products Claude Claude Claude Claude Code Claude Code Claude Code Max plan Max plan Max plan Team plan Team plan Team plan Enterprise plan Enterprise plan Enterprise plan Download app Download app Download app Pricing Pricing Pricing Log in Log in Log in Features Claude in Chrome Claude in Chrome Claude in Chrome Claude in Slack Claude in Slack Claude in Slack Claude in Excel Claude in Excel Claude in Excel Skills Skills Skills Models Opus Opus Opus Sonnet Sonnet Sonnet Haiku Haiku Haiku Solutions AI agents AI agents AI agents Code modernization Code modernization Code modernization Coding Coding Coding Customer support Customer support Customer support Education Education Education Financial services Financial services Financial services Government Government Government Healthcare Healthcare Healthcare Life sciences Life sciences Life sciences Nonprofits Nonprofits Nonprofits Claude Developer Platform Overview Overview Overview Developer docs Developer docs Developer docs Pricing Pricing Pricing Regional Compliance Regional Compliance Regional Compliance Amazon Bedrock Amazon Bedrock Amazon Bedrock Google Cloud’s Vertex AI Google Cloud’s Vertex AI Google Cloud’s Vertex AI Console login Console login Console login Learn Blog Blog Blog Claude partner network Claude partner network Claude partner network Courses Courses Courses Connectors Connectors Connectors Customer stories Customer stories Customer stories Engineering at Anthropic Engineering at Anthropic Engineering at Anthropic Events Events Events Powered by Claude Powered by Claude Powered by Claude Service partners Service partners Service partners Startups program Startups program Startups program Tutorials Tutorials Tutorials Use cases Use cases Use cases Company Anthropic Anthropic Anthropic Careers Careers Careers Economic Futures Economic Futures Economic Futures Research Research Research News News News Responsible Scaling Policy Responsible Scaling Policy Responsible Scaling Policy Security and compliance Security and compliance Security and compliance Transparency Transparency Transparency Help and security Availability Availability Availability Status Status Status Support center Support center Support center Terms and policies Privacy choices Cookie settings We use cookies to deliver and improve our services, analyze site usage, and if you agree, to customize or personalize your experience and market our services to you. You can read our Cookie Policy here . Customize cookie settings Reject all cookies Accept all cookies Necessary Enables security and basic functionality. Required Analytics Enables tracking of site performance. Off Marketing Enables ads personalization and tracking. Off Save preferences Privacy policy Privacy policy Privacy policy Responsible disclosure policy Responsible disclosure policy Responsible disclosure policy Terms of service: Commercial Terms of service: Commercial Terms of service: Commercial Terms of service: Consumer Terms of service: Consumer Terms of service: Consumer Usage policy Usage policy Usage policy x.com x.com LinkedIn LinkedIn YouTube YouTube Instagram Instagram English (US) English (US) 日本語 (Japan) Deutsch (Germany) Français (France) 한국어 (South Korea) | 2026-01-13T08:47:53 |
https://internaldeveloperplatform.org/what-is-an-internal-developer-platform/ | What is an Internal Developer Platform (IDP)? | Internal Developer Platform Internal Developer Platform Learn What is an Internal Developer Platform (IDP)? Why use an Internal Developer Platform (IDP)? The 5 Core Components of an Internal Developer Platform (IDP) Application Configuration Management Infrastructure Orchestration Environment Management Deployment Management Role-Based Access Control When do you need an Internal Developer Platform (IDP)? How do Internal Developer Platforms (IDPs) relate to other concepts? Ecosystem Platform tooling to build your IDP Platform Orchestrators Humanitec Kratix KusionStack Massdriver Developer Portals & Service Catalogs Compass from Atlassian Cortex Cycloid Flanksource Mission Control Flightdeck OpsLevel Port Rely.io Roadie Spotify's Backstage.io Tempest Kubernetes Control Planes Ambassador Labs Gimlet Shipa CD Operators Argo CD Flux CD Jenkins Kubevela CI Tools Bytebase CircleCI Codefresh GitHub Actions GitLab Jenkins Databases Aiven AWS RDS Azure SQL Google CloudSQL MongoDB PostgreSQL Image Registries Amazon ECR Azure Container Registry Docker Hub GCP Artifact Registry GCP Container Registry Harbor In-Cluster Resources Elastic MariaDB RabbitMQ Redis Infrastructure as Code (IaC) Pulumi Terraform by Hashicorp Infrastructure Control Planes Nitric Upbound Kubernetes Kubernetes Self-Hosted Charmed Kubernetes OpenShift Rancher Managed Kubernetes Amazon Elastic Kubernetes Service (EKS) Azure Kubernetes Service (AKS) Google Kubernetes Engine (GKE) Oracle Container Engine for Kubernetes (OKE) Monitoring Canary Checker Datadog Dynatrace Elastic Grafana Instana New Relic Prometheus Security Dynatrace Gremlin Selefra PaaS and DevOps Platforms Choreo Coherence DevOpsBox dyrector.io Giant Swarm gopaddle Mia-Platform Nullstone Pergola Portainer Qovery Upsun (formerly Platform.sh) Community Join Events Articles War Stories Experts Alan Barr James Whinn Consultancies axem Cloudraft Codecentric ConSol Container Solutions CROZ Eficode EqualExperts Expert Thinking Hallatek InfraCloud Technologies LiveWyer Masterpoint NorthCode One2N Platform Engineers Polar Squad Tektit Thoughtworks VirtusLab License GitHub Contact What is an Internal Developer Platform (IDP)? How Internal Developer Platforms are built by Platform teams How Internal Developer Platforms are used by application developers Five core components Developer portal, service catalog, UI, API, or CLI? Integrating with all existing tech and tools Why is it called an Internal Developer Platform? What is an Internal Developer Platform (IDP)? # An Internal Developer Platform (IDP) is built by a platform team to build golden paths and enable developer self-service. An IDP consists of many different techs and tools, glued together in a way that lowers cognitive load on developers without abstracting away context and underlying technologies. Following best practices, platform teams treat their platform as a product and build it based on user research, maintaining and continuously improving it. TLDR; An Internal Developer Platform (IDP) is built and provided as a product by the platform team to application developers and the rest of the engineering organization. An IDP glues together the tech and tools of an enterprise into golden paths that lower cognitive load and enable developer self-service. The platform team ships the IDP following product management best practices, iterating on it based on user research and tight feedback loops with users and other key stakeholders. Stakeholders include application developers, infrastructure and operations teams, security teams, architects and CCOEs, and executives, among others. This means that successful platform engineering teams develop dedicated functions within themselves to ensure the perspectives of different stakeholder groups are represented. For example, infrastructure platform engineering aims to ensure that the IDP provides tangible benefits to infrastructure and operations teams. How Internal Developer Platforms are built by Platform teams # Internal Developer Platforms are built by platform engineering teams with their end user in mind, the application developers. Developers are therefore the internal customers of platform teams. However, many other stakeholders within the engineering organization need to be involved in the development and rollout of an IDP to ensure adoption. These include infrastructure and operations (I&O) teams, architects, security teams, and executives. The IDP is designed and shipped in sync with the overall business goals and the objectives of the different stakeholder groups. Platform teams combine a set of open-source and commercial tools following best-practice architectural blueprints and reference architectures . Successful platform engineering initiatives start small, following a Minimum Viable Platform (MVP) approach, and iterate quickly to continuously prove value to all key stakeholders. Enterprise-grade Internal Developer Platforms have a set of baseline configurations that get enforced across all workflows and development teams, driving standardization and automation by design. This allows engineering organizations to decrease time to market while ensuring security and compliance best practices are followed everywhere, i.e. they can move faster without breaking things. How Internal Developer Platforms are used by application developers # Internal Developer Platforms meet application developers where they are at. This is crucial to ensure adoption. Successful platform engineering initiatives provide developers with interface choice (code-based e.g. OSS workload specification Score , UI based e.g. a portal, CLI, API, etc.), striking the right balance between shielding them from complexity while still providing them with the context they need to do their job. Through these interfaces, developers can request resources, spin up fully provisioned environments, roll back, deploy, and trigger deployment automations, all without the need for support from their operations colleagues. Five core components # Internal Developer platforms have five core components, reflecting the features and main usage patterns of their different users. Note, that these are different from the five planes of IDP reference architectures . Separation of concerns # Two features are exclusively owned by the platform, Ops, or DevOps or team: Infrastructure Orchestration and Role-Based Access Control (RBAC) . Application Configuration Management is used by the platform team to set baseline templates but is also used in day-to-day activity by the application development team. Developers use the functionalities Deployment Management and Environment Management . -> Core Components Developer portal, service catalog, UI, API, or CLI? # All of the above-mentioned building blocks and core components are enabled by the configuration engine at the heart of an IDP, the Platform Orchestrator. Different interfaces can be plugged on top of the Platform Orchestrator to access the underlying platform capabilities. These can be a CLI, different types of User Interfaces (UIs) or developer portals (e.g. Backstage), or code-based workload specifications (e.g. Score) It’s important not to get confused by the linguistic similarities between Internal Developer Portals and Internal Developer Platforms. Portals are simply one of the possible interfaces (UI-based specifically) of the underlying platform. IDP should always be used to refer to an Internal Developer Platform, which is the entire platform layer of an enterprise, not a single tool or interface. Or how Gartner puts it: “ Internal developer portals serve as the interface through which developers can discover and access internal developer platform capabilities.” Source: A Software Engineering Leader’s Guide to Improving Developer Experience by Manjunath Bhat, Research VP, Software Engineering Practice at Gartner. - Full report behind paywall Integrating with all existing tech and tools # Internal Developer Platforms are designed to enable developer self-service on top of complex, brownfield enterprise setups. This means an enterprise-grade IDP needs well-established integration patterns with both existing and future tooling. Top performing platform teams rely on Platform Orchestrators as the glue bringing together the different components of the underlying toolchain. Orchestrators typically sit post-CI pipeline and ingest built images directly from image repositories. They match developers’ requests to the rules and templates defined by the platform team, generating the respective configuration files and handing them over to a CD solution (some orchestrators like Humanitec can also take care of the deployment). Monitoring, logging, and security tools can be plugged on top of the orchestrator and across the different workflows of an IDP at the team’s convenience. We’ve compiled a long list of all tools we see commonly used within IDPs. -> Platform tooling Why is it called an Internal Developer Platform? # Before we dive into the specifics, let’s briefly look at the reason this category is evolving along with those naming conventions. Internal – clearly separated from externally facing platforms such as Twilio’s developer platforms . IDPs are meant for internal use only. Developer – indicates the internal customer and the primary user, the application developer. Platform – characterizes the product type. Slight variations exist, but we’ve actively decided against those as the descriptions are less accurate and the risk of misunderstanding is too high. Those include: Internal platform (too broad) Developer portal/platform (Google it, too much overlap with externally facing portals) Application management framework (imprecise) January 5, 2026 How Internal Developer Platforms are built by Platform teams How Internal Developer Platforms are used by application developers Five core components Developer portal, service catalog, UI, API, or CLI? Integrating with all existing tech and tools Why is it called an Internal Developer Platform? | 2026-01-13T08:47:53 |
https://www.linkedin.com/in/benjaminrjohnson/ | Benjamin Johnson - Particle41 | LinkedIn Skip to main content LinkedIn Top Content People Learning Jobs Games Sign in Join now for free Sign in to view Benjamin’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Benjamin Johnson Sign in to view Benjamin’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Frisco, Texas, United States Contact Info Sign in to view Benjamin’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . 7K followers 500+ connections See your mutual connections View mutual connections with Benjamin Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Join to view profile Message Sign in to view Benjamin’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Particle41 Colorado School of Mines Websites Websites Company Website https://www.partilce41.com Personal Website https://bjohsnon.pro Report this profile About As a serial entrepreneur and technology leader, I'm passionate about empowering… see more Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now Services Executive Coaching Application Development Custom Software Development User Experience Design (UED) Cloud Application Development Request proposal Activity Follow Sign in to view Benjamin’s full profile Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Today I officially begin my next chapter as CEO of Boys & Girls Clubs of Greater Dallas. At every stage of my career, purpose has evolved: At AT&T,… Today I officially begin my next chapter as CEO of Boys & Girls Clubs of Greater Dallas. At every stage of my career, purpose has evolved: At AT&T,… Liked by Benjamin Johnson As we begin the year, our focus is clear and unwavering: delivering measurable outcomes for our customers. Recently, our leadership team and… As we begin the year, our focus is clear and unwavering: delivering measurable outcomes for our customers. Recently, our leadership team and… Liked by Benjamin Johnson I was watching my son with his QB coach this week and it reminded me of something important… We all need great coaches, mentors and advisors around… I was watching my son with his QB coach this week and it reminded me of something important… We all need great coaches, mentors and advisors around… Liked by Benjamin Johnson Join now to see all activity Experience & Education *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Particle41 *]:mb-0 not-first-middot leading-[1.75]"> ******** *** *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> ********* *** *]:mb-0 not-first-middot leading-[1.75]"> ***** ********** ******* *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> ********* *]:mb-0 not-first-middot leading-[1.75]"> ******** ** ******** *********** *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> ******** ****** ** ***** *]:mb-0 not-first-middot leading-[1.75]"> ******** ******* undefined *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> 1998 - 2001 *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> ********** ** ******** ** ***** *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> 1995 - 1998 View Benjamin’s full experience See their title, tenure and more. Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Projects *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Lender Portal for Online Loan Payments *]:mb-0 not-first-middot leading-[1.75]"> Aug 2015 *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> We implemented a portal that allows the user to pay their loans online. We integrated with a lenders POS system and are able to securely pass payment information to the lender in real time. The project also allows businesses to become lenders. The system connects over 50,000 home owners with servicer providers that offer deferred payment on services like heating and Air Conditioning and roof repair. For this solution we used Amazon Web Services (AWS), Ruby on Rails, AngularJS, and some… Show more We implemented a portal that allows the user to pay their loans online. We integrated with a lenders POS system and are able to securely pass payment information to the lender in real time. The project also allows businesses to become lenders. The system connects over 50,000 home owners with servicer providers that offer deferred payment on services like heating and Air Conditioning and roof repair. For this solution we used Amazon Web Services (AWS), Ruby on Rails, AngularJS, and some "Particle41 elbow grease". This project was made possible by our friends at Global Images Design. Show less Other creators See project *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Give Life *]:mb-0 not-first-middot leading-[1.75]"> Mar 2015 *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Landing page that makes users aware of the opportunity to register to be an organ donor. The solution what conceived at Code for the Kingdom, Dallas 2015. The register buttons do an IP lookup to place the user on the registration site in there browsing area rather than having them select off a map or pick from a dropdown. See project *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Medico *]:mb-0 not-first-middot leading-[1.75]"> Jan 2015 *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> We created a volunteer portal that allows nonprofit staff and volunteers to work together to prepare for mission trips to Honduras and Nicaragua. The project reduced manual coordination provides an efficient way to communicate and collect vital information. We used Ruby on rails, Angular and bootstrap for the portal. We integrated with Salesforce Stripe and Braintree. See project *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> GripIt *]:mb-0 not-first-middot leading-[1.75]"> Jun 2014 *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Ruby Class that grabs context based on keyword searches. See project *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Conway's Game of Life *]:mb-0 not-first-middot leading-[1.75]"> Jun 2014 *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Built my own take on the fun programming challenge. See project *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Arrivalist -- Data Dashboard *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> We created a analytics dashboard that allowed advertisers to track conversions based on arrivals. Tourism Boards and Hoteliers were able to monitor the successfulness of their campaigns and determine when and where to spend their marketing dollars. This was accomplished by combining the latest cloud hosting and open-source software in order to create a bespoke solution that added to revenues through better servicing of existing clientele. With Arrivalist, I built a Ruby on Rails… Show more We created a analytics dashboard that allowed advertisers to track conversions based on arrivals. Tourism Boards and Hoteliers were able to monitor the successfulness of their campaigns and determine when and where to spend their marketing dollars. This was accomplished by combining the latest cloud hosting and open-source software in order to create a bespoke solution that added to revenues through better servicing of existing clientele. With Arrivalist, I built a Ruby on Rails application that combined Google Charts API, Geolocation, concurrent log file processing and Bootstrap to create a dashboard for clients to receive real time updates on media campaigns. Show less Other creators See project *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Arrivalist -- DevOps *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Created complete chef project to automated server deployment for both PHP and Ruby applications. As well as adding some unique custom recipes for a secure DMZ, that enabled a private cloud like feature to a collection of AWS instances. *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Book Shout -- DevOps *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Created chef project for managing Ruby on Rails app with many common dependant components (redis, resque, delayed jobs, etc.) The project was made compatible for both RackSpace and Google Compute cloud deployments. Project also included writing code to move 2 TB of data from Rackspace cloud files to Google Cloud Storage. *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> InvestingChannel -- DevOps *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> The project included complete chef integration (www.getchef.com) and migration to AWS. Results included huge cost reductions and game-changing increases in performance. I developed the chef project, made configuration and performance changes to the application and rolled it out from dev, qa, staging and production. *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> InvestingChannel -- Syndication *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Created Ruby on Rails application to retrieve aggregated contents combined with Open Calais stock and company information to create a enriched content for the Financial Industry. An API access scheme was created to allow different subscribers to receive custom feeds according to business preferences. Other creators *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> JuviGap -- Automated SMS *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> By combining Twilio and Salesforce, JuviGap was able to fully automate a free SMS service that helps youth who are on probation of their court-ordered obligations. It reminds them of specific tasks that they have to accomplish to help them stay on track, and achieve successful probation outcomes. The product was so successful it allowed the .org to move from supporting 3 districts to supporting 13 districts in less than a year. With JuviGap, I made a mobile ready form with Ruby On Rails.… Show more By combining Twilio and Salesforce, JuviGap was able to fully automate a free SMS service that helps youth who are on probation of their court-ordered obligations. It reminds them of specific tasks that they have to accomplish to help them stay on track, and achieve successful probation outcomes. The product was so successful it allowed the .org to move from supporting 3 districts to supporting 13 districts in less than a year. With JuviGap, I made a mobile ready form with Ruby On Rails. Created middleware REST API in Salesforce.com to recieve the data from the Rails Application. Twilio was then integrated to send SMS messages. Show less *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Text Link Ad Server *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> I created a mechanism for deploying a cluster of ads into another ad. The solution allow marketers to use one ad space but be able to optimize and A/B test a collection of bylines to determine which performs best. A Ruby application was created to better deploy the tags and assisted with data lifting to help with migrating an old data scheme to the new one. The main challenge was a create native javascript wrappers around the ad units so that they could contained inside another add… Show more I created a mechanism for deploying a cluster of ads into another ad. The solution allow marketers to use one ad space but be able to optimize and A/B test a collection of bylines to determine which performs best. A Ruby application was created to better deploy the tags and assisted with data lifting to help with migrating an old data scheme to the new one. The main challenge was a create native javascript wrappers around the ad units so that they could contained inside another add template. This leveraged the ad server in a creative robust way. The successful implementation required no additional hosting costs other than the cost to serve the ads with the ad server itself. Show less *]:mb-0 text-[18px] text-color-text leading-regular group-hover:underline font-semibold"> Universal Ad Tag *]:mb-0">- *]:mb-0 [&>*]:text-md [&>*]:text-color-text-low-emphasis"> Created a Ruby on Rails project that implemented a facade over ad serving tags and then distributed to over 500 publishers. Later implemented 8 data sharing relationships. This project involved highly compatible javascript, super lightweight ruby code and memcache. A management portal and dashboard accompany the core product. Recommendations received Kwang Suk (David) Kim “Ben built InvestingChannel's tech function from the ground up. He see's the big picture/business imperative, willing to roll up his sleeves help with coding and the operational/infrastructure side, good communicator-can manage up and mentor, great with vendors and technology due diligence, understands process and can adapt to a changing work environment. A great and rare mix for a technology leader.” Ryan de Melo “Working with Ben had been interesting and engrossing, Ben has a pioneering and innovative spirit, in that he welcomes new technologies that enhance efficiency in Application/Product development and maintenance, this coupled with his extensive experience and deep insights in the internet advertising business, make communication and team management over any tasks at hand smooth and effortless. I will be pleased to work with Ben anytime in the future.” 6 people have recommended Benjamin Join now to view More activity by Benjamin A new year isn’t about resolutions. It’s about standards. The standard you set for your energy. The standard you set for your effort. The standard… A new year isn’t about resolutions. It’s about standards. The standard you set for your energy. The standard you set for your effort. The standard… Liked by Benjamin Johnson I caught myself sliding. We talk about the "Dad Bod Slide" in The Boardroom. I thought I was immune. I was wrong. Britney is pregnant. The business… I caught myself sliding. We talk about the "Dad Bod Slide" in The Boardroom. I thought I was immune. I was wrong. Britney is pregnant. The business… Liked by Benjamin Johnson Not to brag but, I have enough money to not work for the rest of 2025. #bye2025 #last2025day #dec302025 #longhorn #utaustin Not to brag but, I have enough money to not work for the rest of 2025. #bye2025 #last2025day #dec302025 #longhorn #utaustin Liked by Benjamin Johnson Excellent post Emory Skolkin … most tech companies are still interviewing largely based on knowledge retention and off the cuff skills and not nearly… Excellent post Emory Skolkin … most tech companies are still interviewing largely based on knowledge retention and off the cuff skills and not nearly… Liked by Benjamin Johnson Excellent post Emory Skolkin … most tech companies are still interviewing largely based on knowledge retention and off the cuff skills and not nearly… Excellent post Emory Skolkin … most tech companies are still interviewing largely based on knowledge retention and off the cuff skills and not nearly… Shared by Benjamin Johnson Lately, when making hiring decisions, I’ve been paying more attention to candidates’ learning agility and less attention to the idea of a “perfect… Lately, when making hiring decisions, I’ve been paying more attention to candidates’ learning agility and less attention to the idea of a “perfect… Liked by Benjamin Johnson 13 years later, still investing, still growing In February 2013, I signed up with the John Maxwell Team (JMT) and met Roddy Galbraith, who led the… 13 years later, still investing, still growing In February 2013, I signed up with the John Maxwell Team (JMT) and met Roddy Galbraith, who led the… Liked by Benjamin Johnson A.W. Tozer poses an incredible question in his book The Pursuit of God. “Are our ideas brain deep or life deep?” This has challenged me. I am… A.W. Tozer poses an incredible question in his book The Pursuit of God. “Are our ideas brain deep or life deep?” This has challenged me. I am… Liked by Benjamin Johnson Thanksgiving is a valuable time to pause and reflect. This year, I am especially grateful for the people I get to build with: clients who trust us… Thanksgiving is a valuable time to pause and reflect. This year, I am especially grateful for the people I get to build with: clients who trust us… Posted by Benjamin Johnson A portfolio company CEO called me last quarter with a tough decision: Spend X on a 6-month platform rewrite, or keep limping along with the current… A portfolio company CEO called me last quarter with a tough decision: Spend X on a 6-month platform rewrite, or keep limping along with the current… Liked by Benjamin Johnson John Harbaugh once said, “Approach each day with an enthusiasm unknown to mankind.” It came from something his dad used to tell him and his brother… John Harbaugh once said, “Approach each day with an enthusiasm unknown to mankind.” It came from something his dad used to tell him and his brother… Liked by Benjamin Johnson View Benjamin’s full profile See who you know in common Get introduced Contact Benjamin directly Join to view full profile Other similar profiles ✔Michael Couvillion ✔Michael Couvillion Austin, TX Connect Ajay Nagar Ajay Nagar Dallas-Fort Worth Metroplex Connect Romain Thierry Pellerin Romain Thierry Pellerin Austin, TX Connect Joe Henson Joe Henson Greater Chicago Area Connect Subbu Rama Subbu Rama Dallas-Fort Worth Metroplex Connect Nicholas Walker Nicholas Walker Austin, TX Connect Alexander Goldberg Alexander Goldberg Thousand Oaks, CA Connect Wolf Scott Wolf Scott Brandon, MS Connect David McCann David McCann Austin, Texas Metropolitan Area Connect Aldo Sarmiento Aldo Sarmiento Irvine, CA Connect Joel Garcia Joel Garcia San Francisco, CA Connect Sukanta Ganguly, PhD, MBA Sukanta Ganguly, PhD, MBA San Jose, CA Connect John Shiple John Shiple Los Angeles, CA Connect Shariq Mansoor Shariq Mansoor San Francisco Bay Area Connect Shouvick Mukherjee Shouvick Mukherjee Saratoga, CA Connect Thod Nguyen Thod Nguyen Carlsbad, CA Connect Tom Kershaw Tom Kershaw Los Angeles County, CA Connect Rana Hasan Shabbir Rana Hasan Shabbir Austria Connect Wayne Haubner Wayne Haubner Cambridge, MA Connect Brad Brown Brad Brown Sarasota, FL Connect Show more profiles Show fewer profiles Explore top content on LinkedIn Find curated posts and insights for relevant topics all in one place. View top content Add new skills with these courses 2h 1m AWS API Gateway with HTTP, Lambda, DynamoDB, and iOS 6h 24m Complete Guide to Serverless Web App Development on AWS 1h 10m Advanced AI Analytics on AWS: Amazon Bedrock, Q, SageMaker Data Wrangler, and QuickSight See all courses LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language Agree & Join LinkedIn By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . Message Benjamin directly. Skip the cold email. Sign in Welcome back Email or phone Password Show Forgot password? Sign in or By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . New to LinkedIn? Join now or New to LinkedIn? Join now By clicking Continue to join or sign in, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . | 2026-01-13T08:47:53 |
https://dev.to/devdiscuss/s7-e8-how-cybersecurity-needs-to-evolve-and-how-to-get-into-it | S7:E8 - How Cybersecurity Needs To Evolve and How To Get Into It - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close DevDiscuss Follow S7:E8 - How Cybersecurity Needs To Evolve and How To Get Into It Dec 29 '21 play In this episode we talk about how cybersecurity needs to evolve and how to get into it, with Alyssa Miller, Business Information Security Officer at S&P Global Ratings, and author of the book Cyber Defenders' Career Guide. Show Notes Vultr (sponsor) DevNews (sponsor) CodeNewbie (sponsor) New Relic (sponsor) Microsoft 30 Days to Learn It (DevDiscuss) (sponsor) Cyber Security Career Guide KubeCon Offensive Security Certified Professional CompTIA Colonial Pipeline ransomware attack Protecting Against Malicious Cyber Activity before the Holidays Log4Shell Log4j Alyssa Miller Alyssa Miller is the Business Information Security Officer at S&P Global Ratings, and author of the book Cyber Defenders' Career Guide. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Anton Frattaroli Anton Frattaroli Anton Frattaroli Follow Joined Dec 25, 2016 • Jan 14 '22 Dropdown menu Copy link Hide I was hoping it'd be more a rant about the state of cyber forensics rather than hiring and collaboration. 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:53 |
https://dev.to/devdiscuss/s6-e7-looking-at-software-mistakes-and-tradeoffs | S6:E7 - Looking at Software Mistakes and Tradeoffs - 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 DevDiscuss Follow S6:E7 - Looking at Software Mistakes and Tradeoffs Sep 22 '21 play In this episode, we talk about software mistakes and tradeoffs with Tomasz Lelek, senior software engineer at DataStax and co-author of the book, "Software Mistakes and Tradeoffs: Making good programming decisions." After listening if you want to get a copy of the book, go to the link in our show notes and use offer code devdsrf-38BF for a 35% discount. Show Notes Scout APM (DevDiscuss) (sponsor) Cockroach Labs (DevDiscuss) (sponsor) CodeLand 2021 (sponsor) Software Mistakes and Tradeoffs: Making good programming decisions Tomasz Lelek Tomasz currently works at Datastax, building products around one of the world's favorite distributed databases - Cassandra. He contributes to Java-Driver, Cassandra-Quarkus, Cassandra-Kafka connector, and Stargate. He is also co-author of the book, "Software Mistakes and Tradeoffs: Making good programming decisions" Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand BK Lau BK Lau BK Lau Follow Joined Jun 5, 2019 • Sep 28 '21 Dropdown menu Copy link Hide A good book from several chapters that I have read. It's illustrated using Java, though. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Ayush Mishra Ayush Mishra Ayush Mishra Follow Email ayuush130000@gmail.com Education Dronacharya Group of Institutions Work Undergraduate engineering student Joined Oct 17, 2021 • Oct 19 '21 Dropdown menu Copy link Hide Great 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:53 |
https://ruul.io/blog/how-to-onboard-freelancers-compliantly | How to onboard freelancers compliantly - Ruul (Formerly Rimuut) Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up work How to onboard freelancers compliantly Solo work is rapidly becoming popular, which is why freelancer onboarding is an important addition to your company skillset. Ceylin Güven 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Setting aside time to onboard freelancers is one of the wisest decisions your company can make in the current business economy–and I’m not just saying it because I’m one of them! Solo work is rapidly becoming one of the most popular work models of our age, which is why freelancer onboarding is an important addition to your company skillset. Choosing to hire freelancers is a wise decision in many ways, but it can be challenging to onboard this particular population since there are different regulations in place for onboarding off-payroll workers. We’re here to help you discover the wide range of possibilities offered by onboarding freelancers, and explain step-by-step just how you can onboard them compliantly . Why you should include freelancers in your workforce Bigger hiring pool According to World Bank’s statistics , nearly 47% of the entire worldwide workforce are self-employed (which includes work models such as freelancers, independent contractors , and solopreneurs). And considering these numbers are from 2019, it would be fair to assume that this number is close to–if not over–50% by now. Freelancing is definitely one of the fastest-growing career choices of the modern world, especially after the world got used to working away from the office during the pandemic. People saw many benefits in working from home, which deterred them from returning to the traditional setting. Here are some of the reasons why freelancing can be more appealing to a large majority: The ability to work from anywhere they want, whether it’s their home office, a shared coworking space , or working while traveling the world as a digital nomad Wider access to career opportunities More personal autonomy and flexibility Less time commuting, more time to focus on skills and projects Better work-life balance and time management options Fast integration and agility Compared to traditional workers, freelancers can be integrated into the workplace much faster. Since they are used to working with a wide range of clients for dedicated periods, they are skilled at grasping the company policies, business practices , and can perform at a much higher speed in this process. This makes freelancer onboarding much easier as well. Specialized skills and expertise Freelancers are usually extremely skilled in their niche or expertise, shaped by official education, years of industry experience, or maybe even both. In this way, hiring freelancers can bring a unique and specialized skill set to the table, which you will need if you want to stand out from your competitors. More diversity Adding freelancers to the table is a great way to diversify your workplace and enrich your process. Different people with different backgrounds, identities, and work niches can provide a varied amount of insight that is very hard to get otherwise. Alongside working with freelancers, this also covers non-discriminatory hiring practices that you should put in place. Your work setting should feel safe to every employee, accommodate their needs, and promote allyship . More output in shorter time Last but not least is the increase in productivity that working with freelancers will bring to the table. Their expertise, combined with their singular focus on a particular project, can guarantee more output in a shorter time, and everything will be taken care of much faster compared to a traditional work setting. Making sure your onboarding process is compliant Before you start your freelancer onboarding process, you should make sure that you are onboarding compliantly . Any arrangement between a worker and an employer needs to be legally compliant, so your contracts or work-service agreements have to abide by certain laws depending on your country’s regulations. The two main regulations you should be aware of when contracting independent workers are the IR35 and the GDPR. But, keep in mind that the following information is for educational purposes, and that you can benefit from an official legal consultancy and/or a trusted online service to create your contracts and agreements . Freelance Isn’t Free Act (US) The “ Freelance Isn’t Free Act ” is a United States law that was imposed in 2017, aimed to protect the rights of freelance workers in case of contract or payment time frame breaches . There is a penalty for said breaches that ensures freelancers, just like traditional workers, get to do their job under the protection of state law . As a business, you should be aware of your responsibilities towards your freelance talents to avoid having these issues. IR35 compliance (UK) IR35 is the UK’s tax legislation for “off-payroll working”, which can cover anything from freelancing to partnerships. This legislation was designed to eliminate tax evasion in non-traditional work orders, and requires service providers to pay an income tax as an employee. In short, if you are hired by an organization that controls your work and how you do it, then IR35 does apply. For more detailed information, the HMRC of the UK government has official resources you can read through. GDPR compliance (EU) GDPR stands for General Data Protection Regulation, and it’s a strict law put in place to ensure data safety and protection . And though it’s EU-based, it covers everyone that targets or collects data from the EU, which means it’s a worldwide concern. GDPR is also an important factor for freelancers who deal with sensitive customer data.Of course, these are not the only regulations you should abide by when hiring freelancers. For example, the relevant legislations in Portugal define employees versus contractors very distinctly. It's always recommended that you check the local regulations and find out whether your contractors should be listed as employees in your business. 6 steps to onboarding freelancers To ensure that everyone’s expectations are met right from the start, you should make sure you have a proper freelancer onboarding process in place. Here are 5 essential steps to guaranteeing a satisfactory, safe, and compliant freelancer onboarding: 1. Verifying freelancers’ identity Before you get to the actual hiring and onboarding process, you’ll first have to research and find a freelancer to work with. This can get confusing very fast, considering the large number of options you have. To ensure that you’re working with a talent that will actually contribute to your business, you will have to verify their identity first. Ask for proof of their previous work experiences , a freelancer portfolio if they have one, and confirm their profiles through trusted freelancing platforms. Ruul realizes identity verification of freelancers through its automated KYC process, making it completely safe to work with selected talents on its platform. 2. Formalizing the work relationship with legal agreements After you’ve started the hiring process, the first step to onboard freelancers compliantly is to create and sign a service/work contract. This is perhaps the most important element to incorporate into any successful freelance relationship. Getting everything in writing will make sure that both parties are on the same page, and help you avoid any misunderstandings or disputes further along the process . Your legal contracts should outline: The scope of work Submission deadlines Payment amounts and terms Copyright and ownership rights Non-disclosure clauses, and any other relevant legalities. Trying to create one from scratch all by yourself can get tricky really quick. To ease the process, Ruul offers free agreement templates that you can build and customize according to your terms and conditions. 2. Setting up a payment method and schedule It’s important you establish the terms of payment before the onboarding starts so that there’s no problem down the line. A comprehensive hiring and payment partner like Ruul can help you schedule and track your invoices and payments all from one place. This will eliminate the hassle of handling everything from separate tools by yourself, and save you time you can actually use on developing your business. 3. Organizational orientation Even though they will not be a full-time employee, freelance workers will still need to get a grasp of vital information about your company in order to be fully onboarded. Otherwise, this can cause them to feel isolated and unmotivated to contribute. These are some of the integral things you should introduce during your organizational onboarding: Technical guidelines for the project: briefs, technical and style guides, etc. An overall long term schedule and end goals of the project Their co-workers and team members for the time being Other important contacts they might make use of Your brand and company values Rules of company-wide communication and etiquette For an easy solution, you can also try to repurpose any pre-existing content you use to onboard full-time employees, and optimize them to fit the needs of a freelance worker. This can help you onboard freelancers to your organization much quicker. 4. Collaboration essentials All the technical details need to be in order for your solo worker to actually do their job. Which is why they need access to all the necessary tools and files before the project can commence. You shouldn’t assume that, just because you’re using an industry standard program, that people you hire will be using them as well–there are plenty of alternatives for tools online. You should communicate on this before the project starts. In addition, the freelancer might not be familiar with certain tools or usage processes you’re accustomed to at all, which is why an extra onboarding process might be needed in some regards. Make sure that you’re prepared for all of these scenarios.Another aspect of this is the privacy issue. Avoid giving access via shared passwords, and create separate files that aren’t in your company wide database for the work you’ll be doing with your freelancers. 5. Open communication Last but not least in the freelancer onboarding is to ask the freelancers themselves what they need. There might be key things you’re missing, or that you can be doing differently. Asking for feedback can help you finetune and improve your onboarding process, which will help make things more efficient in the long run.Getting feedback is also essential for showing that you care about your employees’ individual wants and needs, and in improving your team communications . Keeping in engagement with your freelancers is sure to improve trust and efficiency over time. Onboarding and working together is easier with Ruul Trying to make the whole freelancer onboarding process compliant can be time-consuming and stressful. To save yourself the trouble, use Ruul’s comprehensive solutions and manage freelancer hiring, onboarding, invoicing and payments –all from one place. Join Ruul now to discover how you can rule your global talent operations with precision. ABOUT THE AUTHOR Ceylin Güven Ceylin Güven likes reading anything she can get her hands on, writing poetry that’s way too personal, and watching Studio Ghibli movies. More It’s time to talk about late payment issues Let's address the elephant in the room: late payment issues. Explore strategies to tackle this common challenge and ensure you get paid on time! Read more Why Use MoR as a Solution for Payments and Sales Tax? Discover how a Merchant of Record like Ruul simplifies payments, tax compliance, and invoicing for freelancers. Learn about global invoicing, secure payment methods, fraud prevention, and fast payouts to streamline your freelance operations. Read more How Ruul Evolved for Independents Discover how Ruul evolved to empower independents—freelancers, solopreneurs, and businesses—by offering smarter payment, growth, and collaboration solutions. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
http://goo.gl/9ct9o3 | No!Spec | don’t underestimate your worth About About NO!SPEC Spec work and spec-based design contests are a growing concern. So in an effort to educate those working in the Visual Communication industry and the clients who use their services, a group of designers banded together to bring the NO!SPEC Campaign to the public. With legitimate design opportunities turning into calls for spec work at an increasing rate, it is our goal to arm designers with the tools they need to take a stand against this trend. We also aim to provide businesses with information on why spec work harms our industry. The NO!SPEC Campaign includes: interfacing with designers, educators, businesses and organizations; creating NO!SPEC promotional materials; sending protest letters; writing petitions and posts, and more. With the international support of NO!SPEC we ask that you join us in promoting professional, ethical business practices by saying NO! to spec. If you are unfamiliar with the term spec work, read What is spec? and FAQ About Spec Work before dipping into the rest of the site. But before embarking on the NO!SPEC initiative, please read our participation protocols and disclaimers. Questions or suggestions? Then go ahead and contact us. Articles Contact Please be patient. The nocturnal gremlin running this site is usually swamped, so a reply may will take awhile.[contactform] What is spec work? Spec work is any kind of creative work, either partial or completed, submitted by designers to prospective clients before designers secure both their work and equitable fees. Under these conditions, designers will often be asked to submit work in the guise of a contest or an entry exam on existing jobs as a “test” of their skill. In addition, designers normally lose all rights to their creative work because they failed to protect themselves with a contract or agreement. The clients often use this freely-gained work as they see fit without fear of legal repercussion. Why is spec work unethical? The designers work for free and with an often falsely advertised, overinflated promise for future employment; or are given other insufficient forms of compensation. Usually these glorified prizes or “carrots” appear tantalising for designers who are just starting out, accompanied by statements such as “good for your portfolio” or “gain recognition and exposure.” In reality, winning or losing rarely results in extra work, profit or referrals. Moreover, designers must often agree to waive ownership of their work to the people who are promoting this system. A verbal agreement is ineffective in protecting the rights of designers in a court of law. As a result, the client will often employ other designers using similar unprincipled tactics to change and/or resell the creative work as their own. This promotes the practice of designers ridiculously undercharging themselves in the hope of “outbidding” potential rivals, in the process devaluing their skills and those of the design profession. Promoting this method encourages some clients to continue preying on uninformed designers for menially valued labour. Is my contest spec work? To answer the question, ask yourself: Will I equitably pay a winning designer for the work rendered as if they were hired under contract to do the same thing? Will I negotiate proper compensation for the usage rights commensurate to the designer’s level of skill? Will I return the working files and usage rights to all submitted designs, especially if they don’t win? If the answer is “no” to any of these questions then your contest likely promotes speculative work. Moreover, any contest that expects a designer to work for free (especially in the case of the “losers”) encourages the undervaluing of a designer’s labour, which ultimately undermines the quality of any professional workplace. What’s wrong with a contest? Aside from giving clients the impression that design doesn’t have much worth, it also penalises the clients themselves. Through contests designers can’t undertake proper market research required by the project, and as such can’t produce the most effective outcome for the client, who then chooses on the basis of “the prettiest design.” Designers are the ones with the training, the ones with the marketing experience. They should be able to know all there is about clients’ needs, to be able to guide clients and produce the most appropriate work. You wouldn’t tell your lawyer how to defend you in a trial, or tell a mechanic how to do his or her job. You research their history, hire them, then let them work. That’s what designers’ portfolios are for — giving clients the best opportunity to hire the right person. Why shouldn’t I hold a contest to get my logo? As mentioned above, behind every design there’s market research. A logo isn’t just a pretty symbol printed on top of a baseball cap; it’s what represents you and your company. It is the thing that will instantly identify you and it has to convey the right message to the right people. A contest doesn’t grant designers the necessary time or compensation to undertake necessary research. Why should I pay a professional to do work I might like when I can get lots of submissions from a contest? Apart from promoting free labour, you impede the designer from earning a proper salary. Would you work for free with the hope of possibly being compensated? Also consider that contests largely attract inexperienced designers who are under pressure due to unreasonable time restraints and competition. You run the huge risk of ultimately receiving poorly executed designs that inadequately represent your business amongst your competitors and for future customers. It could end up costing you in the long run in terms of lost revenue and other factors. A professional will work toward developing effective tailored design solutions reflective of their years of training and experience. Can you explain usage rights? The rights of any design work are explained in a contract or project agreement. Designers normally give you rights for the logo idea and for the use of final artwork. If you take a concept without paying, and give it to someone else who will “do it for free,” that’s copyright infringement. Unless otherwise agreed in the contract, you don’t have the right to take someone’s idea, or the files used to create it (unless provided by you) and modify them on your own without compensating the creator. If you want to modify something without the designer’s intervention, you need agreement from the designer. You should expect to be charged accordingly for using work that needed someone’s time and resources. What is a design/logo mill? Unfortunately there is a disturbing trend affecting the design community where companies using contests as their business model pit designers against each other, like roosters in a ring. Designers who fall into this unproductive cycle eventually crank out massive strings of poorly conceived, ineffectively executed, and in a growing number of cases, plagiarised work from other professionals in order to win as many “prizes” as possible. The more they crank out, the more chance they have of actually earning any money. What they don’t understand is that those who run these deplorable mills pay designers a comparable pittance to what they themselves earn with their markup, making a very substantial profit in the process. Think of a sweatshop or pyramid scheme where the few benefit over the many. In the end, the losers are both the creator and the consumer, who sacrifice quality for the sake of a “bargain.” If I can’t decide whether I like a design before I pay for it, how do I know I am going to get a good one? This is why it pays to use a professional designer. Professional designers are just that — professionals, experts in their craft. It’s their job to do good work. How do you tell one designer from another? Look at their portfolios. You can find a long list of portfolios through various professional organisations, such as the AIGA, GAG, CL, SGDC. Try searching for “design association” or similar in your country. Here’s a useful resource in the davidairey.com archives — where to find the right designer . Look at a number of portfolios and narrow it down to those whose style fits what you think will be effective for your business. Then contact the designer(s) to discuss your project. Once you get a feel for their work and personality, you will quickly be able to determine if you can form a good working relationship. If you have questions or suggestions, feel free to get in touch . No!Spec Don’t underestimate your worth | 2026-01-13T08:47:53 |
https://dev.to/t/architecture/page/387 | Architecture Page 387 - 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 Architecture Follow Hide The fundamental structures of a software system. Create Post Older #architecture posts 384 385 386 387 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:53 |
https://dev.to/devdiscuss/s9e6-the-evolution-of-sql-and-how-it-managed-to-last-through-time | S9:E6 - The Evolution of SQL and How it Managed to Last Through Time - 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 DevDiscuss Follow S9:E6 - The Evolution of SQL and How it Managed to Last Through Time Jun 15 '22 play In this episode, we talk with Jim Walker, principal product evangelist at Cockroach Labs about the evolution of SQL. Learn more about the origins and importance of SQL and how it's managed to not only last but also evolve throughout time. Show Notes DevNews (sponsor) CodeNewbie (sponsor) DataStax (sponsor) Cockroach Labs (DevDiscuss) (sponsor) Swimm (DevDiscuss) (sponsor) Stellar (sponsor) Smalltalk Quel Jeff Dean and Sanjay Ghemawat article in "Wired" 100 millisecond rule The Secret Lives of Data Michael Stonebraker Assembler Language Jim Walker Jim is a recovering developer turned evangelist who digs useful, cool, cutting-edge tech. He loves to translate and distill complex concepts into compelling, more simple explanations that broader communities can consume. He is an advocate of the developer and an active participant in several open source communities 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:53 |
https://dev.to/devdiscuss/s7-e2-the-story-of-vue-with-evan-you | S7:E2 - The Story of Vue with Evan You - 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 DevDiscuss Follow S7:E2 - The Story of Vue with Evan You Nov 17 '21 play In this episode, we talk about Vue and its creation with its creator, Evan You. Show Notes Vultr (sponsor) DevNews (sponsor) CodeNewbie (sponsor) New Relic (sponsor) Microsoft 30 Days to Learn It (DevDiscuss) (sponsor) Vue Vite React AngularJS JavaScript Rust Preact Svelte Evan You Evan You is an independent open source developer and is the author / maintainer of popular projects such as Vue.js and Vite. 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:53 |
https://dev.to/devdiscuss/s8-e2-you-too-can-create-beautiful-data-driven-essays-like-the-pudding | S8:E2 - You Too Can Create Beautiful Data-Driven Essays Like The Pudding - 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 DevDiscuss Follow S8:E2 - You Too Can Create Beautiful Data-Driven Essays Like The Pudding Feb 16 '22 play In this episode, we talk about creating beautiful data-driven essays with Michelle McGhee and Russell Goldenberg, Journalist-Engineers at The Pudding. Show Notes DevNews (sponsor) Duckly (sponsor) CodeNewbie (sponsor) Compiler (DevDiscuss) (sponsor) Scout APM (DevDiscuss) (sponsor) The Pudding Polygraph Svelte Gabriel Florit - On Responsive Design and Data Visualization Who’s in the Crossword? We investigated 200 crackers to learn about food allergies and labelling. Warning: may contain troubling results The Birthday Paradox The Gyllenhaal Experiment Life After Death on Wikipedia We couldn’t get an artificial intelligence program to win the New Yorker Caption Contest Nothing Breaks Like A.I. Heart OpenAI Human Terrain An Interactive Visualization of Every Line in Hamilton Reconstructing Seven Days of Protests How you play Spades is how you play life D3.js GitHub: The Pudding Datawrapper Flourish The Pudding: Our Resources Russell Goldenberg Russell Goldenberg is a Scorpio. He makes stories with data and code at The Pudding. Nowadays coding mostly in Svelte. Michelle McGhee Michelle McGhee makes visual stories at The Pudding. She also enjoys making delicious food and 3-pointers at pickup basketball. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Deepak Jaiswal Deepak Jaiswal Deepak Jaiswal Follow Hey I am full Stack Developer. Location Uttar Pradesh , India Education B-tech Pronouns Deepak Work Full stack developer Joined Dec 18, 2021 • Feb 27 '22 Dropdown menu Copy link Hide It's a like data driven from a component to another component but it's a programming in the react developer😍😍. 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:53 |
https://docs.google.com/document/d/1e14I1pY5IP17mOTPXX0tKQd0AzYHMZgeUvkIAU7WkT4/edit?tab=t.0#heading=h.ij83rdx3x93l | Chimera IDE: Official Documentation - Google Docs 자바스크립트가 브라우저에서 활성화되어 있지 않아 이 파일을 열 수 없습니다. 활성화하고 새로고침하세요. 이 브라우저 버전은 더 이상 지원되지 않습니다. 지원되는 브라우저로 업그레이드하세요. Chimera IDE: Official Documentation Tab 외부 공유 로그인 파일 수정 보기 도구 도움말 접근성 디버그 DOCS_modelChunk = {"chunk":[{"ty":"is","ibi":40440,"s":"on sprite \"Player\" collides with \"Enemy\" do action:\n say \"Player hit enemy!\"\n\nExperienced Syntax:\nmove sprite \"[name]\" [direction] by [amount] -\u003e Chimera.Engine.getSprite(name).move(direction, amount)\nset position of sprite \"[name]\" to [x], [y] -\u003e Chimera.Engine.getSprite(name).setPosition(x, y)\napply force [amount] to sprite \"[name]\" [direction] -\u003e Chimera.Engine.getSprite(name).applyForce(amount, direction)\non sprite \"[s1]\" collides with \"[s2]\" do action with s1, s2: -\u003e Chimera.Engine.onCollision(s1, s2, (s1, s2) \u003d\u003e { ... });\nset gravity to [value] -\u003e Chimera.Engine.setGravity(value)\n30.3 Input Handling\n// When the space key is pressed\non key \"space\" pressed do action:\n call jumpPlayer\n\n// When the mouse is clicked\non mouse click do action with x, y:\n create effect at x, y\n\nExperienced Syntax:\non key \"[key]\" pressed do action: -\u003e Chimera.Engine.input.onKeyPress(key, () \u003d\u003e { ... });\non mouse click do action with x, y: -\u003e Chimera.Engine.input.onMouseClick((x, y) \u003d\u003e { ... });\nis key \"[key]\" down -\u003e Chimera.Engine.input.isKeyDown(key)\n30.4 Audio and Visuals\n// Play a sound effect\nplay sound \"explosion.mp3\"\n\n// Change the background color of the scene\nset background color of scene \"Level1\" to \"blue\"\n\nExperienced Syntax:\nplay sound \"[path]\" -\u003e Chimera.Engine.audio.playSound(path)\nstop sound \"[path]\" -\u003e Chimera.Engine.audio.stopSound(path)\nset background color of scene \"[name]\" to \"[color]\" -\u003e Chimera.Engine.getScene(name).setBackgroundColor(color)\nshow particle effect \"[name]\" at [x], [y] -\u003e Chimera.Engine.visuals.showParticleEffect(name, x, y)\n-\n31. Complete Syntax Translation Map (The \"Rosetta Stone\")\nThis table provides a quick reference for many common Chimera commands and their JavaScript equivalents.\n\u0010\u0012\u001cFeature\n\u001cChimera Syntax (Beginner)\n\u001cJavaScript Equivalent (Experienced)\n\u0012\u001cVariables\n\u001cset x to 10\n\u001clet x \u003d 10;\n\u0012\u001c\n\u001cconstant PI to 3.14\n\u001cconst PI \u003d 3.14;\n\u0012\u001cMath\n\u001cadd 5 to score\n\u001cscore +\u003d 5;\n\u0012\u001c\n\u001cset result to 2 power of 3\n\u001clet result \u003d 2 ** 3;\n\u0012\u001cConditions\n\u001cif health is 0 then:\n\u001cif (health \u003d\u003d\u003d 0) { ... }\n\u0012\u001c\n\u001celse if level is 5 then:\n\u001celse if (level \u003d\u003d\u003d 5) { ... }\n\u0012\u001c\n\u001cmatch status:\n\u001cswitch (status) { ... }\n\u0012\u001cLoops\n\u001crepeat 10 times:\n\u001cfor (let i \u003d 0; i \u003c 10; i++) { ... }\n\u0012\u001c\n\u001cwhile energy is \u003e 0:\n\u001cwhile (energy \u003e 0) { ... }\n\u0012\u001c\n\u001cfor each item in myList:\n\u001cfor (const item of myList) { ... }\n\u0012\u001cFunctions\n\u001cdefine greet:\n\u001cfunction greet() { ... }\n\u0012\u001c\n\u001cdefine add with a, b:\n\u001cfunction add(a, b) { ... }\n\u0012\u001c\n\u001creturn result\n\u001creturn result;\n\u0012\u001cClasses\n\u001cblueprint Player:\n\u001cclass Player { ... }\n\u0012\u001c\n\u001cblueprint Enemy extending Entity:\n\u001cclass Enemy extends Entity { ... }\n\u0012\u001c\n\u001cconstructor with name:\n\u001cconstructor(name) { ... }\n\u0012\u001c\n\u001cnew Player with \"John Doe\"\n\u001cnew Player(\"John Doe\")\n\u0012\u001cArrays\n\u001clist with 1, 2, 3\n\u001c[1, 2, 3]\n\u0012\u001c\n\u001cget item 0 from myList\n\u001cmyList[0]\n\u0012\u001c\n\u001cadd \"apple\" to myList\n\u001cmyList.push(\"apple\")\n\u0012\u001cObjects\n\u001cmap: name: \"Bob\"\n\u001c{ name: \"Bob\" }\n\u0012\u001c\n\u001cmyObject.property\n\u001cmyObject.property\n\u0012\u001cErrors\n\u001ctry:\n\u001ctry { ... }\n\u0012\u001c\n\u001ccatch error:\n\u001ccatch (error) { ... }\n\u0012\u001c\n\u001cthrow error \"Message\"\n\u001cthrow new Error(\"Message\");\n\u0012\u001cAsync\n\u001casync define load:\n\u001casync function load() { ... }\n\u0012\u001c\n\u001cwait for promise\n\u001cawait promise;\n\u0012\u001c\n\u001cwhen promise is ready then:\n\u001cpromise.then(() \u003d\u003e { ... });\n\u0012\u001cModules\n\u001cshare constant X to 10\n\u001cexport const X \u003d 10;\n\u0012\u001c\n\u001cbring in { X } from \"./file\"\n\u001cimport { X } from \"./file\";\n\u0012\u001cText\n\u001c\"Hello \" and name\n\u001c`Hello ${name}`\n\u0012\u001c\n\u001clength of text\n\u001ctext.length\n\u0012\u001cDates\n\u001ccurrent date and time\n\u001cnew Date()\n\u0012\u001c\n\u001cget year from date\n\u001cdate.getFullYear()\n\u0012\u001cMath Utils\n\u001cmax of 1, 5, 2\n\u001cMath.max(1, 5, 2)\n\u0012\u001c\n\u001crandom number\n\u001cMath.random()\n\u0012\u001cGlobal\n\u001cparse integer from \"123\"\n\u001cparseInt(\"123\")\n\u0012\u001c\n\u001cis not number value\n\u001cisNaN(value)\n\u0012\u001cReflect\n\u001creflect.get keys from obj\n\u001cReflect.ownKeys(obj)\n\u0012\u001cProxy\n\u001cmonitor obj with handler:\n\u001cnew Proxy(obj, handler)\n\u0012\u001cBitwise\n\u001cx bitwise and y\n\u001cx \u0026 y\n\u0012\u001c\n\u001cx shift left by 2\n\u001cx \u003c\u003c 2\n\u0012\u001cBigInt\n\u001c100 as big integer\n\u001c100n\n\u0012\u001cSymbols\n\u001cunique symbol \"id\"\n\u001cSymbol(\"id\")\n\u0012\u001cWorkers\n\u001cnew worker from \"path\"\n\u001cnew Worker(\"path\")\n\u0012\u001cEngine (Game)\n\u001ccreate sprite \"Player\"\n\u001cChimera.Engine.createSprite(\"Player\")\n\u0012\u001c\n\u001cmove sprite \"Player\" right 10\n\u001cChimera.Engine.getSprite(\"Player\").move(\"right\", 10)\n\u0012\u001c\n\u001con key \"space\" pressed:\n\u001cChimera.Engine.input.onKeyPress(\"space\", () \u003d\u003e { ... });\n\u0011"},{"ty":"ae","et":"list","id":"kix.f6yuhmca9w0f","epm":{"le_nb":{"nl_4":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":162.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":1,"b_il":180.0},"nl_3":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":126.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":0,"b_il":144.0},"nl_2":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":90.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":2,"b_il":108.0},"nl_1":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":54.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":1,"b_il":72.0},"nl_8":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":306.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":2,"b_il":324.0},"nl_7":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":270.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":1,"b_il":288.0},"nl_6":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":234.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":0,"b_il":252.0},"nl_5":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":198.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":2,"b_il":216.0},"nl_0":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":18.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":0,"b_il":36.0}}}},{"ty":"ae","et":"list","id":"kix.g0xwhyb5y3d1","epm":{"le_nb":{"nl_4":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":162.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":1,"b_il":180.0},"nl_3":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":126.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":0,"b_il":144.0},"nl_2":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":90.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":2,"b_il":108.0},"nl_1":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":54.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":1,"b_il":72.0},"nl_8":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":306.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":2,"b_il":324.0},"nl_7":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":270.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":1,"b_il":288.0},"nl_6":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":234.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":0,"b_il":252.0},"nl_5":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":198.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":2,"b_il":216.0},"nl_0":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":18.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":0,"b_il":36.0}}}},{"ty":"ae","et":"list","id":"kix.o34yhhjjzdbg","epm":{"le_nb":{"nl_4":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":162.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":1,"b_il":180.0},"nl_3":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":126.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":0,"b_il":144.0},"nl_2":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":90.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":2,"b_il":108.0},"nl_1":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":54.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":1,"b_il":72.0},"nl_8":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":306.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":2,"b_il":324.0},"nl_7":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":270.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":1,"b_il":288.0},"nl_6":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":234.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":0,"b_il":252.0},"nl_5":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":198.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":2,"b_il":216.0},"nl_0":{"b_gf":"","b_ts":{"ts_un":false,"ts_un_i":false,"ts_sc":false,"ts_it_i":true,"ts_fgc2":{"hclr_color":"#000000","clr_type":0},"ts_st_i":true,"ts_bgc2":{"hclr_color":null,"clr_type":0},"ts_fs_i":true,"ts_ff_i":true,"ts_bgc2_i":true,"ts_it":false,"ts_va":"nor","ts_bd_i":true,"ts_va_i":true,"ts_fs":11.0,"ts_ff":"Arial","ts_st":false,"ts_bd":false,"ts_fgc2_i":true,"ts_sc_i":true,"ts_tw":400},"b_ifl":18.0,"b_gs":"","b_a":0,"b_sn":1,"b_gt":0,"b_il":36.0}}}},{"ty":"as","st":"paragraph","si":40491,"ei":40491,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":40519,"ei":40519,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":40520,"ei":40520,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":40540,"ei":40540,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":true,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"list","si":40643,"ei":40643,"sm":{"ls_id":"kix.o34yhhjjzdbg"}},{"ty":"as","st":"paragraph","si":40643,"ei":40643,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"list","si":40739,"ei":40739,"sm":{"ls_id":"kix.o34yhhjjzdbg"}},{"ty":"as","st":"paragraph","si":40739,"ei":40739,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"list","si":40855,"ei":40855,"sm":{"ls_id":"kix.o34yhhjjzdbg"}},{"ty":"as","st":"paragraph","si":40855,"ei":40855,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"list","si":40976,"ei":40976,"sm":{"ls_id":"kix.o34yhhjjzdbg"}},{"ty":"as","st":"paragraph","si":40976,"ei":40976,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"list","si":41035,"ei":41035,"sm":{"ls_id":"kix.o34yhhjjzdbg"}},{"ty":"as","st":"paragraph","si":41035,"ei":41035,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"paragraph","si":41055,"ei":41055,"sm":{"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_sb":14.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_hdid":"h.3ebgwcaxxit","ps_sb_i":false,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_hd":3,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41088,"ei":41088,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41122,"ei":41122,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41142,"ei":41142,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41143,"ei":41143,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41172,"ei":41172,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41208,"ei":41208,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41234,"ei":41234,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41235,"ei":41235,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41255,"ei":41255,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":true,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"list","si":41345,"ei":41345,"sm":{"ls_id":"kix.g0xwhyb5y3d1"}},{"ty":"as","st":"paragraph","si":41345,"ei":41345,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"list","si":41438,"ei":41438,"sm":{"ls_id":"kix.g0xwhyb5y3d1"}},{"ty":"as","st":"paragraph","si":41438,"ei":41438,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"list","si":41497,"ei":41497,"sm":{"ls_id":"kix.g0xwhyb5y3d1"}},{"ty":"as","st":"paragraph","si":41497,"ei":41497,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"paragraph","si":41520,"ei":41520,"sm":{"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_sb":14.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_hdid":"h.gs6c2wofsagt","ps_sb_i":false,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_hd":3,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41543,"ei":41543,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41570,"ei":41570,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41571,"ei":41571,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41615,"ei":41615,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41664,"ei":41664,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41665,"ei":41665,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":41685,"ei":41685,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":true,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"list","si":41745,"ei":41745,"sm":{"ls_id":"kix.f6yuhmca9w0f"}},{"ty":"as","st":"paragraph","si":41745,"ei":41745,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"list","si":41805,"ei":41805,"sm":{"ls_id":"kix.f6yuhmca9w0f"}},{"ty":"as","st":"paragraph","si":41805,"ei":41805,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"list","si":41916,"ei":41916,"sm":{"ls_id":"kix.f6yuhmca9w0f"}},{"ty":"as","st":"paragraph","si":41916,"ei":41916,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"list","si":42015,"ei":42015,"sm":{"ls_id":"kix.f6yuhmca9w0f"}},{"ty":"as","st":"paragraph","si":42015,"ei":42015,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":false,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_ifl":18.0,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":false,"ps_bb_i":true,"ps_pbb_i":true,"ps_il":36.0}},{"ty":"as","st":"horizontal_rule","si":42016,"ei":42016,"sm":{}},{"ty":"as","st":"paragraph","si":42017,"ei":42017,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":42075,"ei":42075,"sm":{"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":4.0,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_hdid":"h.22n31wjvzfj0","ps_sb_i":true,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_hd":2,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"paragraph","si":42180,"ei":42180,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_sa":12.0,"ps_il_i":true,"ps_sb":12.0,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":false,"ps_sa_i":false,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"tbl","si":42181,"ei":42181,"sm":{"tbls_cols":{"cv":{"op":"set","opValue":[{"col_wv":67.1047619047619,"col_wt":0,"col_tdt":{"tdt_v":0},"col_tf":{"ttf_vn":0,"ttf_n":""}},{"col_wv":110.19047619047619,"col_wt":0,"col_tdt":{"tdt_v":0},"col_tf":{"ttf_vn":0,"ttf_n":""}},{"col_wv":290.70476190476194,"col_wt":0,"col_tdt":{"tdt_v":0},"col_tf":{"ttf_vn":0,"ttf_n":""}}]}},"tbls_cfwt":{"cfmt_cg":{"cellgp_pt":5.0,"cellgp_bt_i":false,"cellgp_pl_i":true,"cellgp_va":2,"cellgp_bl":{"brdr_c2":{"hclr_color":"#808080","clr_type":0},"brdr_s":0.0,"brdr_w":0.0,"brdr_ls":0},"cellgp_biv_i":false,"cellgp_pb_i":true,"cellgp_pl":5.0,"cellgp_bb":{"brdr_c2":{"hclr_color":"#808080","clr_type":0},"brdr_s":0.0,"brdr_w":0.0,"brdr_ls":0},"cellgp_bih":{"brdr_c2":{"hclr_color":"#808080","clr_type":0},"brdr_s":0.0,"brdr_w":0.0,"brdr_ls":0},"cellgp_bb_i":false,"cellgp_pr":5.0,"cellgp_va_i":true,"cellgp_pr_i":true,"cellgp_bgc2":{"hclr_color":"","clr_type":0},"cellgp_bih_i":false,"cellgp_bl_i":false,"cellgp_pt_i":true,"cellgp_bgc2_i":true,"cellgp_biv":{"brdr_c2":{"hclr_color":"#808080","clr_type":0},"brdr_s":0.0,"brdr_w":0.0,"brdr_ls":0},"cellgp_br_i":false,"cellgp_br":{"brdr_c2":{"hclr_color":"#808080","clr_type":0},"brdr_s":0.0,"brdr_w":0.0,"brdr_ls":0},"cellgp_bt":{"brdr_c2":{"hclr_color":"#808080","clr_type":0},"brdr_s":0.0,"brdr_w":0.0,"brdr_ls":0},"cellgp_pb":5.0}},"tbls_bw":0.0}},{"ty":"as","st":"row","si":42182,"ei":42182,"sm":{"row_mh":39.25}},{"ty":"as","st":"cell","si":42183,"ei":42183,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42191,"ei":42191,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42192,"ei":42192,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42218,"ei":42218,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42219,"ei":42219,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42255,"ei":42255,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"row","si":42256,"ei":42256,"sm":{"row_mh":25.75}},{"ty":"as","st":"cell","si":42257,"ei":42257,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42267,"ei":42267,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42268,"ei":42268,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42280,"ei":42280,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42281,"ei":42281,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42293,"ei":42293,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"row","si":42294,"ei":42294,"sm":{"row_mh":34.0}},{"ty":"as","st":"cell","si":42295,"ei":42295,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42296,"ei":42296,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42297,"ei":42297,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42317,"ei":42317,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42318,"ei":42318,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42335,"ei":42335,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"row","si":42336,"ei":42336,"sm":{"row_mh":25.75}},{"ty":"as","st":"cell","si":42337,"ei":42337,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42342,"ei":42342,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42343,"ei":42343,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42358,"ei":42358,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42359,"ei":42359,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42371,"ei":42371,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"row","si":42372,"ei":42372,"sm":{"row_mh":34.0}},{"ty":"as","st":"cell","si":42373,"ei":42373,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42374,"ei":42374,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42375,"ei":42375,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42402,"ei":42402,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42403,"ei":42403,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42424,"ei":42424,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"row","si":42425,"ei":42425,"sm":{"row_mh":34.0}},{"ty":"as","st":"cell","si":42426,"ei":42426,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42437,"ei":42437,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42438,"ei":42438,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42459,"ei":42459,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42460,"ei":42460,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42486,"ei":42486,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"row","si":42487,"ei":42487,"sm":{"row_mh":34.0}},{"ty":"as","st":"cell","si":42488,"ei":42488,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bb":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}}}},{"ty":"as","st":"paragraph","si":42489,"ei":42489,"sm":{"ps_klt_i":true,"ps_awao_i":true,"ps_sm_i":true,"ps_ls_i":true,"ps_il_i":true,"ps_ir_i":true,"ps_al_i":true,"ps_bl_i":true,"ps_sd_i":true,"ps_sb_i":true,"ps_sa_i":true,"ps_lslm_i":true,"ps_br_i":true,"ps_bbtw_i":true,"ps_kwn_i":true,"ps_bt_i":true,"ps_ifl_i":true,"ps_bb_i":true,"ps_pbb_i":true}},{"ty":"as","st":"cell","si":42490,"ei":42490,"sm":{"cell_bl":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bl_i":false,"cell_br_i":false,"cell_bb_i":false,"cell_bgc2_i":true,"cell_bt":{"brdr_c2":{"hclr_color":"#000000","clr_type":0}},"cell_bt_i":false,"cell_br":{"brdr_c2":{"hclr_color":"#000000","clr_ty | 2026-01-13T08:47:53 |
https://ruul.io/blog/best-alternatives-for-freelancers#$%7Bid%7D | 13 Best Fiverr Alternatives Every Freelancer Should Know Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow 13 Best Fiverr Alternatives Freelancers Need to Know Trying to get around Fiverr’s 20% cut? You’re not alone. Here are 13 solid alternatives that might just become your new go-to platform. Eran Karaso 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Tired of Fiverr’s 20% fee? Ruul takes 5% and lets you sell services, subscriptions, and even digital products. With built-in invoicing, VAT compliance, and crypto payments. (All that with just one swing) Not all platforms are created equal. Sites like Toptal pre-screen talent and don’t charge freelancers anything, while Guru offers super low fees. But you’ll need a paid plan to unlock full access. Want in-person work, not screen time? Try TaskRabbit or Thumbtack for local gigs like moving, repairs, or cleaning. No platform fee for you. The client pays instead, and you keep the full rate. Fiverr kinda feels like the default starting line for freelancers. Maybe that’s where you kicked off your journey, too. But at some point, things started to feel… off. Crazy high fees, The struggle of landing clients, Or just not being able to carve out your niche on the platform. Whatever the reason, sometimes you just need a solid alternative. That’s exactly what I’ll break down here: the best Fiverr alternatives worth checking out. Ready? Let’s dive in! What is Fiverr? Fiverr is one of the biggest marketplaces for online freelance work . No job postings. No drawn-out messaging. No paperwork headaches. Fiverr simplifies the process by offering a Gig-based system. You set the scope, pricing, delivery time, and revisions. A client searches for something like “logo design,” and boom, they're scrolling through dozens of listings. If they like yours, they buy it right away. That’s what made Fiverr a hit for fast, frictionless sales . But it’s not all smooth sailing: high fees, intense competition, and limited platform features can make it tough to stand out. Let’s explore some strong Fiverr alternatives that may better suit your needs, depending on your style, niche, and goals. Pros of Fiverr For freelancers 1. A massive buyer pool = more eyes on your services Fiverr has over 4.2 million active buyers. That’s a huge built-in audience, which means you’re not starting from zero or yelling into the void on social media. If your Gig is well-optimized, work can come to you. 2. Fast + low-cost way to start Creating a profile is free and fast. You don’t need an agency-level portfolio to get started (though it helps). That’s why many beginners love Fiverr; it’s easy to test the waters without upfront investment. Just be ready for that 20% platform cut. 3. Minimal client communication Fiverr’s package system means everything (scope, price, timeline) is spelled out from the start. You might still get questions, but usually it’s “quick ping” stuff, not full-blown negotiations. This makes it especially appealing for digital nomads who want to spend less time managing clients and more time doing the actual work (or traveling ✈️). For clients 1. Speedy hiring. Usually, hiring a freelancer can drag on for weeks—reviewing resumes, portfolios, and conducting interviews… You know the drill. On Fiverr, the entire process is significantly faster. Find someone you like? You can literally start working with them the same day. 2. Paid subscription. Fiverr Pro and paid subscriptions provide clients with access to what the platform refers to as “top-tier talent.” Yes, it’s another cost layer, but it helps filter out low-quality sellers and raises the bar for quality. Is it worth it? That depends on what you're hiring for. Cons of Fiverr For freelancers 1. That painful 20% commission Fiverr takes a flat 20% cut of your earnings, regardless of the job's size or scope. That’s 4x higher than Ruul Space and double what Upwork charges. If you’re trying to build a serious income stream, that fee adds up fast. 2. Brutal competition and race-to-the-bottom pricing Fiverr is where everyone starts, which means it’s packed. To get noticed, beginners often slash their prices, and seasoned pros find it hard to compete on value. The most cutthroat categories? Design, writing, and development. These niches are pure warzones. 3. Visibility issues + a black-box success score Digging through Reddit reveals a common pain: the Success Score system feels rigged. It’s unclear how it works, downgrades occur without warning, and support is rarely helpful. It kind of makes you think… Is Fiverr legit? One freelancer put it bluntly: - “My level dropped for no reason. Support ghosted me. With 20% fees on top of that? I’m done.” And they’re not alone. Your visibility and therefore your income can tank overnight, even if you're doing everything “right.” ( Source ) For clients 1. That sneaky 5% buyer fee Fiverr takes 20% from freelancers and a 5.5% fee from buyers. Many users criticize this “double dip” as unnecessary. And honestly, they’ve got a point. When you get paid on Ruul , only one side pays a fixed commission of 5%. No surprises. 2. Inconsistent quality The biggest headache for buyers on Fiverr is the hit-or-miss quality. They often end up testing multiple freelancers, wasting time and money in the process. Some even argue there should be a vetting system. 3. Lost in translation + decision overload With freelancers from all over the world, communication can get messy fast. Add to that the endless sea of options, and buyers often fall into a state of decision paralysis. The kicker? While they’re stuck browsing, testing, and second-guessing, their actual costs continue to rise. 13 Top Fiverr Alternatives (depending on your goals) Fiverr isn’t the only game in town, far from it. Whether you’re a freelancer looking for fairer fees or a client chasing better talent and results, there’s a platform out there that fits better. Below, I’ve broken down 13 Fiverr alternatives worth checking out—each with its own strengths, quirks, and ideal use cases: 1. Ruul Space What is Ruul Space? Ruul is essentially the global payment button every freelancer has been dreaming of. It bundles the top 4 things freelancers need into one sleek setup: Portfolio Sales Invoice Payment button Compared to Fiverr, Ruul packs way more punch. Here’s what sets it apart: You can sell digital products. You can manage and sell subscriptions. You get built-in invoicing. You can even accept crypto. Plus, Ruul acts as a MoR ( Merchant of Record ). That means Ruul becomes the legal seller on your behalf. You can sell globally in 190 countries, stay VAT-compliant, and issue invoices without the legal mess. Pros of Ruul Space Start for free : No setup cost, no monthly fees. Space link : Portfolio, services, and products in one spot. Earn three ways : Sell services, products, or subscriptions. Flat 5% fee : Super low, no hidden charges. Global compliance : Sell in 190 countries, tax worry-free. Fast crypto payouts : Get USDC via Binance, instantly. Proven track record : $200M+ in successful transactions. Top-rated trust : 4.7 stars on Trustpilot Cons of Ruul Space Organic visibility is pretty limited Ruul Space vs. Fiverr On Ruul Space, you can do everything you do on Fiverr and more (hello, digital products & subscriptions). Plus, fees are just 5%. That’s four times less than Fiverr. From that angle, Ruul clearly wins. However, Fiverr has a larger buyer pool and more built-in competition. On Ruul, you’ll need to hustle a bit and promote your skills and products on Instagram, LinkedIn, Substack, and other platforms, actually, to reel in clients. 2. Upwork What is Upwork? Upwork’s one of the biggest freelance platforms out there, but it works differently from Fiverr. Instead of waiting for buyers, you apply for jobs using “ Connects, ” which are like tokens. You get 10 free each month, but listings usually cost between 5 and 20. So yeah, they disappear fast. If you’re applying often, you’ll need to top up. Not into bidding wars? There’s a workaround: Project Catalog . You can list your service as a fixed-price package and let clients come to you, like Fiverr, but with more control and (in some categories) less crowding. Pros of Upwork Better rates overall : 1 in 3 freelancers report earning $50/hour or more. More niches to explore : Over 200, across 9 big categories. Two income tracks : Offer hourly gigs or fixed-price packages. Payment protection : Funds stay in escrow until work is approved. Transparent bidding : See what others are offering. Badges = trust : Verified certifications help your profile stand out. Cons of Upwork 10% freelancer fee : Half of Fiverr, but still a chunk. 5% fee on the client side : Some clients may hesitate. Spammy DMs happen : It’s not immune to low-effort pitches. High competition : Especially in beginner-friendly categories. Upwork vs. Fiverr Here’s the real win with Upwork: you’re not boxed into just one way to work. You can send proposals and sell pre-defined packages. Fiverr? Packages only. And the fees? Upwork takes 10% from freelancers, Fiverr takes 20% . That’s a big deal if you're doing high-volume work. Unless you’re already thriving on Fiverr or your niche is super visual (think design or voiceovers), Upwork gives you more options, more flexibility, and more earning potential. Want the full breakdown? Check out our in-depth comparison [ Fiverr vs. Upwork ]. 3. Freelancer.com What is Freelancer.com? Unlike Fiverr, on Freelancer.com, you win jobs through bidding. You only get 6 free bids per month, which feels super limited. If you want to pitch more, you’ll need to sign up for one of their four membership plans. What really stood out to me, though, is how outdated the site feels. Compared to Fiverr or even Upwork, it’s like browsing an old website that never got a proper refresh. If you’re looking for something sleek and modern, this is definitely worth knowing before you dive in. Pros of Freelancer.com Huge category spread : From legal work to game design Escrow protection : Clients pre-fund projects, so you’re not chasing payments Verified profiles : Badges exist for both sides Cons of Freelancer.com 10% freelancer fee : Same as Upwork, but no volume discounts 3% client fee : Small, but can shrink already tight budgets Intense competition : Especially in high-demand fields like design and writing Scam alerts : Shady listings still pop up, so you’ll need to vet carefully Freelancer.com vs. Fiverr If you’re comparing just on fees, Freelancer.com wins by 10% compared to Fiverr’s 20%. But when it comes to usability? Fiverr’s cleaner UI and pre-packaged Gig model offer a smoother ride. On Freelancer.com, everything runs on the “submit a bid and wait” model. That can feel slow, especially if you're new and still building trust. 4. Toptal What is Toptal? Toptal isn’t for beginners, and that’s the point. This platform screens every freelancer through interviews, skill tests, and live exercises. According to Toptal, only the top 3% make it through. If you’re a seasoned pro with a portfolio to back it up, that filter could actually work in your favor. Once you're in, there's no bidding or race-to-the-bottom pricing. Toptal matches you directly with clients based on your expertise. Think VC-backed startups, Fortune 500s, and enterprise teams that care more about fit than cost . Pros of Toptal No platform fees : You keep 100% of what you earn Pre-screened clients : Less ghosting, more serious buyers Fast onboarding : Start projects in as little as 48 hours Fewer competitors : Smaller, curated talent pool Predictable payments : No chasing invoices Cons of Toptal Hard to get in : Multi-stage vetting with live testing Smaller platform : Fewer freelancers means fewer listings overall Higher cost for clients : Might limit some smaller opportunities Toptal vs. Fiverr These platforms aren’t even aiming at the same crowd. Toptal doesn’t charge freelancers a dime. Fiverr takes 20% off each sale. So if you’re landing $10K projects, that’s $2K saved per gig. But here’s the trade-off: Toptal is gated. You need to pass interviews, code challenges, or design assessments even to get in. Fiverr? Anyone can start, package their services, and test the waters. If you’re already established and want fewer clients but bigger paychecks , Toptal’s worth the grind. Are you new or still building up your experience? You’ll likely hit a wall here. Want more details? Read: [ Toptal vs Fiverr – Which Is Better for Freelancers ?] 5. PeoplePerHour What is PeoplePerHour? PeoplePerHour is a UK-based platform built around, you guessed it, hourly work. About 60% of the freelancers there are from the UK, but the site itself runs in 100+ countries. That’s actually a big plus because UK-based gigs often pay higher rates. The interface feels fresh, too. It appears they’ve recently updated it, and honestly, it’s much cleaner than what I remember. They’ve also added AI to match freelancers with clients more intelligently, which makes finding the right projects less of a headache. But not everyone gets in. There’s a review process, and while it’s not as strict as Toptal, you still have to wait for their team to check and approve your profile. So yeah, if you’re a brand new freelancer , this might not be the place to kick things off. Pros of PeoplePerHour Human-reviewed freelancer onboarding : Better chance of finding legit clients Client payment protection : Funds are held until delivery is approved AI-powered matching : The platform recommends gigs based on your skills 24/7 customer support : Helpful when payment or brief issues come up Automatic invoicing : Less admin work for you Cons of PeoplePerHour Only 15 free proposals per month : You’ll need to pay for more 20% commission : Same as Fiverr, and it adds up Screened sign-up process : New freelancers may get rejected Hourly-first mindset : Less appealing if you prefer fixed-price work PeoplePerHour vs. Fiverr Fiverr is open to everyone and built around service packages. PeoplePerHour is stricter. You apply first, and once you’re in, most jobs are hourly. Both platforms take a 20% cut , so there’s no real difference in fees. So here’s the key question: Do you prefer packaging your services or charging by the hour? → If you like control and flexibility, Fiverr may feel easier. → If you want a smaller, vetted marketplace with European clients, PPH might suit you better. 👀 More on this? Read our full breakdown: [ PeoplePerHour vs. Fiverr ] 6. 99designs What is 99designs? 99designs is a platform built just for designers . Unlike most freelancing sites, it runs on a contest model. A client posts what they need (starting at $299), dozens of designers submit their work, and then wait to see if they get picked. That said, things have shifted recently. Now clients can directly invite designers to projects, which means you can actually build a profile and land work outside of contests. If you join, don’t rely only on the competitions. Personally, I don’t see contests as a sustainable source of income. It feels more like a fun side hustle than a serious business. That’s why I’d keep 99designs (and similar contest-style platforms) as a backup, not your main gig. Pros of 99designs You keep full copyright of your winning designs Logo contests wrap up fast : Sometimes within 24–48 hours Vetted client base : Including startups, agencies, and e-commerce brands A money-back guarantee (For clients) helps build trust Tiered commissions : Pay less as you level up Cons of 99designs No pay unless you win : You might design for hours with zero return Fierce competition : Especially in popular categories like logos Not ideal for ongoing income : Projects are one-off Only for visual designers : No writing, dev, or admin gigs here Clients pay platform fees too : Might shrink their budget 99designs vs. Fiverr They’re totally different worlds. Fiverr’s for everyone, 99designs is strictly for designers. Fiverr = service packages, 99designs = contests. Freelancer profiles and workflows are also quite different. Plus, 99designs has a tiered commission system: Top-level designers pay 5% Mid-level pay 10% Entry-level pay 15% Clients also get hit with a 5% fee 7. Guru What is Guru? On Guru, you can work with all kinds of pricing models : hourly, fixed-price, milestone-based, and even recurring. Clients post jobs, freelancers send proposals. Your success really depends on how well your pitch and profile line up with the project. Design-wise, Guru feels more old-school than flashy. It doesn’t scream trendy branding; it’s more like walking down a corporate hallway than a creative studio. Honestly, I felt like I was in an office while using it. Pros of Guru Only 5% freelancer commission : One of the lowest rates around Multiple payment formats : Hourly, fixed, milestone, or recurring Smaller freelancer pool : Less crowding in most categories Team collaboration tools : Useful for agencies or group projects Free job postings for clients : More listings, especially from small businesses Cons of Guru Subscription needed to compete : Free users have limited bids UI feels outdated : Might impact the client’s browsing experience Unclear project volume : Especially outside core categories Recurring gigs require a paid plan : Limiting for long-term work seekers Guru vs. Fiverr Guru takes only 5% of your earnings. Fiverr takes 20%. But here’s the fine print: Guru offers low fees only if you’re willing to pay for a monthly plan (starting at $11.95). Without it, you’ll get fewer bidding credits and limited exposure. Fiverr, on the other hand, doesn’t charge for visibility, but slices off a bigger chunk per sale. It also attracts more casual buyers, while Guru leans toward business clients and longer-term projects. So the trade-off is clear: If you’re after low fees and don’t mind paying for access, Guru’s worth considering. If you want to start fast, build service packages, and attract a wider range of buyers, Fiverr is more beginner-friendly. 8. TaskRabbit What is TaskRabbit? TaskRabbit is a freelance platform built around local, in-person tasks like furniture assembly, moving help, cleaning, or personal errands. It’s not for digital services. Instead, it connects you with people in your area who need things done, fast. Most jobs are short-term, and many are same-day or next-day, making them great options if you’re looking for quick, flexible gigs that can be done in person. Getting started is straightforward, but not instant. You’ll need to apply, attend an info session, and pass a background check before becoming an active “Tasker.” Pros of TaskRabbit Great for local, physical tasks : Moving, repairs, home setup Fast turnaround : Many gigs are booked and completed within a day Verified Taskers : Gives clients peace of mind You set your rates – More control over your income No platform fee for freelancers – The client pays the service fee Cons of TaskRabbit Harder to break in as a newbie – Low reviews = fewer bookings Not for remote work – Everything is location-based One-off jobs dominate – Harder to build ongoing client relationships App coverage is city-specific – Not available everywhere TaskRabbit vs. Fiverr These platforms serve completely different purposes. Fiverr is all about remote digital jobs , think logos, writing, and coding. TaskRabbit is for real-world, local help, such as assembling a bookshelf, running errands, or mounting a TV. One key difference: Taskers keep 100% of their earnings. The platform charges the client, not the freelancer. On Fiverr, you pay a 20% cut per job. So even if the job price is the same, your take-home is smaller. 8. Thumbtack What is Thumbtack? Thumbtack is a US-based freelancing platform. But nope, not for digital gigs—this one’s all about physical work. Think small towns, big cities, anywhere in the States… It’s active. Fix something, paint a wall, clean a house, or even shoot some photos. It’s a solid alternative if you’ve been browsing Fiverr-type sites but couldn’t land online work. If sitting behind a screen isn’t your thing but you still want freelance freedom, just take whatever you’re already good at in daily life and offer it on Thumbtack. Pros of Thumbtack Focused on local services : Ideal for pros in trades, events, or home services Available across the US: Even in smaller cities and towns High job volume : 30,000+ service requests per day Strong app reputation : 4.9/5 rating from 300K+ reviews Easy-to-use features : In-app messaging, secure payments, quote builder Cons of Thumbtack You pay per lead, not per job : And not all leads convert Pricing transparency is poor : Unclear fees post-booking You’ll compete with contractors : Especially in popular service categories Service quality varies widely : No strict vetting, so client reviews carry weight Thumbtack vs. Fiverr The comparison’s pretty straightforward. Fiverr’s for online gigs, Thumbtack’s for real-world jobs. On Fiverr, you get hit with that huge 20% fee. On Thumbtack, you only pay a “lead fee” once you actually connect with a client. And that cost changes depending on the job’s value and the local market. 9. DesignCrowd What is DesignCrowd? DesignCrowd is a contest-based platform built for freelance designers (yep, like 99designs). The idea is simple: a client posts a request, dozens of designers send in their work, and the client picks their favorite. The winner gets paid. But let’s be real: it’s high risk and not exactly sustainable if you’re looking for a steady income. You can certainly consider it, but don’t rely on it. If you’re already on Fiverr, you’ll probably want to check out Ruul, Upwork, or Toptal for a full-time income stream. Keep DesignCrowd on the side. Pros of DesignCrowd Wide range of categories : From logos and t-shirts to packaging and flyers Fast contest timelines : Some wrap up in under 72 hours Client sets budget and deadline : You choose which projects to join Copyright assignment: If you win, the copyrights are yours. 15% platform commission : Lower than Fiverr’s 20% Cons of DesignCrowd Only winners get paid : No payment for submissions unless selected High competition : Dozens of designers often compete for a single gig No vetting system : Open access can flood the market DesignCrowd vs. Fiverr DesignCrowd speaks directly to designers and runs on contests. Fiverr, on the other hand, works for almost any kind of freelancer and is all about service packages. As for fees, there’s not a huge gap. Fiverr takes 20%, DesignCrowd grabs 15%. 10. SimplyHired What is SimplyHired? SimplyHired isn’t a marketplace like Fiverr, it’s closer to Indeed or LinkedIn Jobs. You’ll find everything here, from one-off freelance gigs to remote roles and even full-time contracts. The best part: Listings usually show the average hourly pay, which I actually liked. If you’re just dipping your toes into freelancing and don’t know what’s out there yet, this site is worth a look. It’s convenient for location-based roles or remote corporate jobs. Additionally, the site is streamlined, so browsing feels quick and effortless. Pros of SimplyHired Free to use : No fees for job seekers or employers Global listings : Includes freelance, part-time, and remote roles across industries Search filters by contract type and location : Makes it easier to narrow your hunt Built-in resume tool : Helpful if you’re also applying to traditional jobs Cons of SimplyHired Poor user rating (1.7/5 on Trustpilot) : Many users cite outdated job links No freelancing workflow : No profiles, no gigs, no payments, no reviews Not designed for service sellers : Better suited for job seekers than freelancers SimplyHired vs. Fiverr Fiverr is all about selling service packages, while SimplyHired works more like a traditional job board. If you’re chasing longer-term, corporate-style gigs, SimplyHired makes more sense than Fiverr. Big difference? Fiverr charges both buyers and sellers a cut on every deal. SimplyHired? Totally free, posting jobs or applying costs nothing on either side. 11. Bark What is Bark? Bark is another UK-based site, like TaskRabbit. However, you can find both physical, location-based gigs and online ones here. The downside? There’s no built-in payment protection. You have to collect your money directly from the client. What I do like about Bark is that it’s not a “sell it once and disappear” type of platform. You can actually build a profile, strengthen it, and attract new clients faster. That means long-term connections and steady local work if you play it right. Pros of Bark Free to list : Job ads are free for clients and pros Supports local & digital jobs : From dog training to SEO Lead filtering : Matches based on skills and location Detailed profiles : Portfolio, reviews, phone contact options Urgent job feature : Fast-turnaround gigs appear first Cons of Bark Pay-per-lead model : Freelancers must buy credits to contact leads No payment system : All payments are handled off-platform No refunds : Credit purchases are final No vetting process : Anyone can join, quality varies Bark vs. Fiverr Bark gives you both local and digital gigs, while Fiverr sticks strictly to digital work. Another big difference: Bark doesn’t charge a commission, but there’s no payment protection, so you’re on your own when collecting cash. Fiverr flips that around: your money’s safe until the project wraps, but they take a chunky 20% cut. 12. FlexJobs What is FlexJobs? FlexJobs is a traditional job board for flexible, remote, and full-time roles. And honestly, it’s one of the best I’ve seen. The biggest reason? It’s 100% scam-free. Their team manually reviews every single listing before it ever goes live. Additionally, FlexJobs charges both parties: job seekers pay to apply, and employers pay to post their job openings. Pros of FlexJobs Clean, ad-free experience : No pop-ups, distractions, or irrelevant job ads Manually vetted listings : Job posts are reviewed by a real human before going live Scam-free environment : High trust platform with fraud protection baked in Remote, hybrid, and flexible jobs : Ideal for location-independent professionals Consistently high-quality roles : Fewer low-paying or spammy gigs High customer satisfaction : Strong ratings from both employers and job seekers Cons of FlexJobs Most jobs are U.S.-based : Global users may find fewer opportunities Paid access for job seekers : Plans start at $2.95 for a trial, then monthly High fees for employers : $399/month makes it less accessible for clients FlexJobs vs. Fiverr Fiverr is fast-paced, super competitive, and all about service packages. But yeah, you’ll run into the occasional scammer there. FlexJobs, on the other hand, feels like the cleanest, safest way to job hunt. No scams, just flexible roles: remote, part-time, or full-time. Cut your commission by 4x with Ruul Space! Your freelance income should actually feel like yours. Handing over 20% of what you worked so hard for—just to make a sale on some platform hurts (and honestly, it should). No matter which site you’re on, sometimes you just need the courage to look at alternatives. So what happens when you switch to Ruul Space ? You do everything you’re already doing on Fiverr, but at a quarter of the cost. Whatever you sell: digital products, online services, subscriptions.. we only take 5% per transaction. And it’s not just about lower fees: You stay compliant with global data regulations You get automatic invoicing You stop chasing clients for payments You get paid within 1 day, max You build a legit portfolio You sell in 190 countries, in 140+ currencies Try Ruul Space free today. ABOUT THE AUTHOR Eran Karaso Eran Karaso is a marketing and brand strategy leader with more than a decade of experience helping global tech companies connect with their audiences. He’s built brand narratives that stick, led successful go-to-market strategies, and worked hand-in-hand with cross-functional teams to ensure everyone is on the same page. More Top Gumroad Alternatives Compare the best Gumroad alternatives for creators in 2025—fees, features, ease of use, and who each platform is best for. Read more Best Link-in-Bio Tools for Freelancers Discover the top link-in-bio tools for freelancers to sell services, accept payments, issue invoices, and simplify client workflows—without needing a full website. Read more What Is Linktree And How Freelancers Use It To Get Paid? Discover how Linktree helps content creators monetize their audience and why freelancers are switching to Ruul Space for invoicing, payments, and tax compliance. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://cupogo.dev/ | Cup o' Go Cup o' Go Home Episodes People Store Patreon Subscribe menu close Home Episodes People Store Patreon Subscribe Stay up to date with the Go community in just 15 minutes per week. Join us on Slack: #cup-o-go on the Gopher Slack . play pause Listen to the Trailer 01:06 Apple Podcasts Listen On Apple Podcasts Spotify Listen On Spotify YouTube Listen On YouTube Latest Episodes play pause Go 1.26: 240% better! 🎊 This episode: 340% longer! 🎉 Venn: 100% awesome 👍 GopherCon 2026 Early tickets until Jan 31! Get them while they last!Go 1.26 coming soonOfficial release notesInteractive release notes by Anton ZhiyanovInterview with ... January 10, 2026 / 01:38:16 / E140 play pause See you next year Podcast: Within Reason with Hank GreenPodcast: Within Reason with VsaucePodcast: Acquired: Microsoft Volume IFavorite Cup o' Go episodes of 2025May 17, Episode 110: Th... December 26, 2025 / 05:26 / E139 play pause 🤐 Three goroutines may keep a secret, even if none are dead. Plus, 💉 dependency injection is horrible—change my mind! Go 1.26rc1 is outBook: Gist of Go: Concurrency by Anton Zhiyanov😶 Blog: Go feature: Secret mode by Anton ZhiyanovNon-Go: Pixnapping🧋 Accepted: Make all "bubbles" inher... December 20, 2025 / 59:13 / E138 play pause All software sucks... then you die. But first: GopherCon 2026 dates and location announced! Gin is a very bad software library by Efron LichtBun SQL injection via error messagesModernizing Reddit's Comment Backend Infrastructure by Katie ShannonInterview with... December 13, 2025 / 01:11:07 / E137 play pause 🪪 Certificate chains, Dingo, and ML in Go with Riccardo Pinosio and Jan Pfeifer Visit https://cupogo.dev/ for all the links. Seriously, we have the entire internet there!... with enough click depth, that is🪪 Go 1.25.5 and Go 1.24.11 are released w... December 8, 2025 / 01:17:32 / E136 More Episodes » headphones Listen Anywhere Apple Podcasts Listen On Apple Podcasts Spotify Listen On Spotify Overcast Listen On Overcast Pocket Casts Listen On Pocket Casts Amazon Music Listen On Amazon Music YouTube Listen On YouTube More Options » Email YouTube LinkedIn Mastodon Donate 2023 The Cup o' Go Hosts Home Episodes People Store Subscribe Broadcast by transistor logo play pause rewind fast forward | | 2026-01-13T08:47:53 |
https://ruul.io/blog/best-places-to-live-for-digital-nomads | Where are the Best Destinations for Digital Nomads? Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up work Best Places to Live for Digital Nomads Ready to find your next home as a digital nomad? Read on for the best cities offering the perfect mix of lifestyle and work essentials. Eran Karaso 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Choosing the right place to live is very important as well as using the most accurate project management tools for freelancers and digital nomads. It should offer not only an appealing lifestyle but also reliable internet, cost-effective living, and a welcoming community. Here are some of the best places around the world that cater to the needs of digital nomads, combining excellent amenities with a vibrant atmosphere. 1. Bali, Indonesia Bali is an ideal digital nomad hub, renowned for its breathtaking landscapes and dynamic community. Ubud and Canggu are popular areas where remote workers flock due to their abundant coworking spaces, affordable cost of living, and active social scene. Bali offers a low cost of living, with affordable accommodation, food, and leisure activities. Its cultural richness, combined with numerous beaches and a welcoming expatriate community, makes it an ideal destination for those seeking both work and adventure. 2. Chiang Mai, Thailand Chiang Mai is a favorite among digital nomads for its low cost of living and vibrant expat community. The city is home to numerous coworking spaces and cafes with reliable internet. Chiang Mai’s cost-effective lifestyle includes affordable accommodation, inexpensive street food, and a variety of cultural experiences. The city’s friendly locals and extensive network of other digital nomads create a supportive environment for remote workers. Its location in northern Thailand also offers easy access to beautiful natural surroundings. 3. Istanbul, Turkey Istanbul has become an increasingly popular destination for digital nomads, thanks to its vibrant culture, rich history, and modern amenities. The city offers a unique blend of affordable housing options, numerous coworking spaces, and a dynamic professional community. Istanbul's diverse neighborhoods provide a variety of experiences, from bustling markets and historic sites to contemporary cafes and tech hubs. The city’s excellent infrastructure, combined with its friendly locals and relatively low cost of living, makes it an attractive choice for remote work. With its mix of traditional charm and modern conveniences, Istanbul is a compelling location for those seeking both professional opportunities and cultural immersion. 4. Lisbon, Portugal Lisbon offers a unique blend of historical charm and modern amenities, making it a top choice for digital nomads in Europe. The city features a thriving tech scene, numerous coworking spaces, and a relatively low cost of living compared to other Western European capitals. Lisbon’s warm climate, picturesque neighborhoods, and vibrant cultural scene add to its appeal. The city’s efficient public transportation system and high-quality infrastructure support a comfortable and productive remote work lifestyle. 5. Mexico City, Mexico Mexico City stands out for its rich culture, diverse neighborhoods, and affordable cost of living. The city is known for its excellent food, vibrant arts scene, and numerous coworking spaces. Mexico City’s affordable accommodation and cost-effective lifestyle, combined with its lively social scene and high-speed internet, make it an ideal destination for digital nomads. The city’s public transportation is also reliable and accessible, adding to the convenience of living and working here. 6. Taipei, Taiwan Taipei is an excellent choice for digital nomads seeking a mix of modern amenities and cultural richness. The city offers affordable living costs, numerous coworking spaces, and reliable internet. Taipei's efficient public transportation, vibrant food scene, and welcoming locals contribute to a high quality of life. With its blend of traditional Taiwanese culture and contemporary urban conveniences, Taipei provides a dynamic environment for remote work and exploration. 7. Barcelona, Spain Barcelona is a popular destination for digital nomads due to its vibrant culture, beautiful architecture, and excellent amenities. The city offers a range of coworking spaces, affordable accommodation, and a lively social scene. With its pleasant Mediterranean climate, rich history, and diverse dining options, Barcelona provides a great balance of work and leisure. The city's efficient public transportation system and high-quality infrastructure support a comfortable and productive remote work lifestyle. How Digital Nomads Can Get Paid Easy Currently, the most popular ways digital nomads get paid are through online payment platforms. They bring clients and freelancers together in a safe and secure means for both to transact with each other. Some of the most popular platforms that accept online payments among freelancers include: Platforms that facilitate quick and easy money transfers Freelancing platforms that connect freelancers with clients but also provide secure and safe payment systems Freelancing platforms that allow freelancers to competitively bid for projects but require freelancers to receive money through their secure payment systems Ruul streamlines the freelancer billing process by allowing users to generate VAT-compliant invoices for every transaction and providing various payment options, including credit cards. With Ruul, you can receive payouts in your preferred account within one business day. The platform supports invoicing for business clients in 190 countries, ensuring compliance with global standards. Additionally, Ruul simplifies payments for your clients by offering a payment link, enabling them to pay and receive an invoice without the need to sign up. In other words, the bottom line is getting paid as a digital nomad does take some planning, proper communication, and a close eye on the details. For a nomad, managing the money part of your business is intrinsic. As nomads you can focus on payments, covering some of the available options, processes, and best practices. Ruul takes care of all your sales tax and compliance needs for every payment, significantly reducing your paperwork. It manages global sales tax charging and remittance while offering both local and international payment methods. By authorizing Ruul as your Merchant of Record, you can seamlessly sell your services and collect payments. Ruul also handles client onboarding, invoicing, and payment collection on your behalf. Once a payment is received, Ruul immediately initiates the payout to your preferred account and ensures sales tax compliance is managed efficiently. ABOUT THE AUTHOR Eran Karaso Eran Karaso is a marketing and brand strategy leader with more than a decade of experience helping global tech companies connect with their audiences. He’s built brand narratives that stick, led successful go-to-market strategies, and worked hand-in-hand with cross-functional teams to ensure everyone is on the same page. More What is a 1099 Form for Freelancers? Are you a freelancer in the US? Learn the basics of Form 1099 as a freelancer to manage your taxes smoothly. Click to learn more! Read more What Are the Best Invoice Generator Apps for Mobile Devices? Simplify your invoicing with these top mobile apps designed for freelancers. Click to find the best fit for your business! Read more 8 tips for solo talents to stay healthy and happy Prioritizing your mental and physical health is crucial for freelancers. Read on for tips on scheduling work, having a dedicated workspace, and taking care of your body. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://ruul.io/blog/ruul-evolved | How Ruul Evolved for Independents | Empowering Freelancers & Businesses Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up News How Ruul Evolved for Independents Discover how Ruul evolved to empower independents—freelancers, solopreneurs, and businesses—by offering smarter payment, growth, and collaboration solutions. Mert Bulut 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Since 2016, we’ve been the Independent’s pay button. Back in the early days, we made invoicing and getting paid easier. But the indie world exploded. We leveled up with you. Now, Ruul is here to support you with showcasing your work with Ruul Space, building a steady income with Subscriptions, going global, easier than ever. We are now something that feels like home for independent souls like you. We launched Ruul Space 👥 Over 2,300 new Spaces were created in our very first week. Product and service sales on your Space We rolled out digital product/service sales. Now you can offer clear, fixed-scope services and digital products to your clients with one link. So far, you've listed over 7,800 offerings, and 72% of you made your first sale in week one. 👏🏻 + easy subscription to services Subscriptions were a must-have. You’d been waiting to offer your services monthly or share exclusive content with your followers. We paired this model with subscription management and auto-invoicing. And boom, comfort mode unlocked. Flat commission: Plan better. Keep more. Before, commission rates varied depending on country and currency. That was confusing. To help you plan better and earn more, we fixed the commission at 5% . Now, most of what you earn actually stays in your pocket. Built for independents One panel. Zero juggling. Maximum independence. Ruul is now tapping into every corner of the creator economy. Here, Showcase your craft, grow your income, and keep the admin quiet. Welcome home. Ruul is your place to build, sell, and get paid on your terms. 💜 With love, Ruul Team ABOUT THE AUTHOR Mert Bulut Mert Bulut is an innate entrepreneur, who after completing his education in Management Engineering (BSc) and Programming (MSc), co-founded Ruul at the age of 27. His achievements in entrepreneurship were recognized by Fortune magazine, which named him as one of their 40 under 40 in 2022. More How to Create a Gumroad Profile? Learn how to create a Gumroad profile to sell digital products, physical goods, or subscriptions. Discover steps on setting up your profile, payment information, products, and promotions. Read more What does “YOLO economy” stand for? Discover how the YOLO Economy is reshaping work culture as young professionals prioritize flexible, impact entrepreneurship on the labor market, purposeful careers over traditional jobs. Read more Upwork Alternatives for Freelancers Looking for Upwork alternatives? Discover 10 freelance platforms with lower fees, faster payouts, and better client matches. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://developers.google.com/youtube | YouTube | Google for Developers Skip to main content YouTube / English Deutsch Español Español – América Latina Français Indonesia Italiano Polski Português – Brasil Tiếng Việt Türkçe Русский עברית العربيّة فارسی हिंदी বাংলা ภาษาไทย 中文 – 简体 中文 – 繁體 日本語 한국어 Sign in Add YouTube functionality to your sites and apps. Home Guides Samples Terms YouTube Home Guides Samples Terms Home Products YouTube Stay organized with collections Save and categorize content based on your preferences. Let users watch, find, and manage YouTube content Play YouTube Videos Use an embedded player to play videos directly in your app and customize the playback experience. IFrame iOS Player parameters Add YouTube Data Let users search YouTube content, upload videos, create and manage playlists, and more. Overview Reference Code samples Add more YouTube features Analytics & Reporting Understand your users and how they interact with your channel and your videos. How it works Code samples Subscribe Buttons Enable users to subscribe to your YouTube channel with one click. Add a button Live streaming Schedule live YouTube broadcasts and manage your broadcast video streams. Overview [[["Easy to understand","easyToUnderstand","thumb-up"],["Solved my problem","solvedMyProblem","thumb-up"],["Other","otherUp","thumb-up"]],[["Missing the information I need","missingTheInformationINeed","thumb-down"],["Too complicated / too many steps","tooComplicatedTooManySteps","thumb-down"],["Out of date","outOfDate","thumb-down"],["Samples / code issue","samplesCodeIssue","thumb-down"],["Other","otherDown","thumb-down"]],[],[],[]] Blog The latest news on the YouTube blog GitHub Find API code samples and other YouTube open-source projects. Issue Tracker Something wrong? Send us a bug report! Stack Overflow Ask a question under the youtube-api tag YouTube Researcher Program For researchers interested in using data from YouTube’s global API Tools Google APIs Explorer YouTube Player Demo Configure a Subscribe Button Issue Tracker File a bug Request a feature See open issues Product Info Terms of Service Developer Policies Required Minimum Functionality Branding Guidelines Android Chrome Firebase Google Cloud Platform Google AI All products Terms Privacy Manage cookies English Deutsch Español Español – América Latina Français Indonesia Italiano Polski Português – Brasil Tiếng Việt Türkçe Русский עברית العربيّة فارسی हिंदी বাংলা ภาษาไทย 中文 – 简体 中文 – 繁體 日本語 한국어 | 2026-01-13T08:47:53 |
https://ruul.io/blog/guide-to-pricing-freelance-work#$%7Bid%7D | Price your freelance work: 4 models and tips - Ruul Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up get paid How to Price Your Freelance Work? 5 Models and Tips Are you unsure of how to price your freelance work? Read this guide to understand the factors that go into determining your rate and explore four different pricing models. Ceylin Güven 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Pricing work, especially in freelancing, can make or break your craft, causing financial anxiety . Going too high or too low raises eyebrows, questions, and doubts. So, how do you land at a rate that fully compensates for your experience, skill, and time? This piece will answer all your questions on freelancer pricing. We’ll start by looking into why landing at freelance prices can be a headache, then offer 5 pricing strategies. We’ll finish with some tips to help you. By the end of this piece, you’ll be well-equipped to set the best freelance costs for your business. Why is Pricing Freelance Rates So Difficult? Setting freelance rates can be a headache for a few reasons: One: Experience varies In every craft, be it photography or content writing, different people are on varying levels. Some are beginners, others intermediate, and others are pros. And unlike traditional jobs that value years as experience, freelancing isn’t a black-and-white business. A content writer in their beginner stages could create better content than a pro. However, because of the lack of years in the business, they have to lower their freelance costs. Due to this, one has to suffer the test of time to raise their freelance price. Two: Project Uncertainties Sometimes, pricing can vary depending on the project uncertainties. Some freelancers prepare for this; however, some events can cause delays. For example, when the client’s tools are insufficient, data analysts or website developers must use alternative ones that take longer. Then, there are setbacks like data loss, someone falling ill, internet issues, or hardware failures — things out of your control! Such events may prolong the project. Because of this, freelancer day rates may have to change. Unfortunately, some clients are unwilling to add the extra investment. Three: Market Value Market value in the freelancing world differs geographically. A virtual assistant in Africa doing the same tasks as one in the US is paid significantly less. This disparity is attributed to the differing economies and, in small ways, the time difference. Freelance rates in the UK, the US, and elsewhere differ, making setting freelance rates harder. Determining How Much to Charge Despite the difficulty of determining freelancing pricing, there are ways to circumnavigate this. You do this by finding a strategy to help you decide how much to charge. Here are a few questions you can answer to determine how much to charge: What is my worth? Your worth as a freelancer is your skills, experience, and qualifications. To gauge your worth, start by researching the freelance rates in your region. For example, if you’re a graphic designer, search for the freelance rate for a graphic designer in your area. Don’t just stop at a simple search. Dig deeper, comparing your skills, experience level, and qualifications. What is my desired income? The essence of becoming a freelancer is the liberty to choose what to work on and how much to earn. So much so that when you finally know how much you want to earn per month or year, it helps you set the best freelancer pricing rates. Don’t forget to factor operational costs into your selected rates — software subscriptions , rent, and equipment. Can I offer packaged services? Since freelancing is an unstructured industry, why not bundle your services into sizable chunks? For instance, a wedding freelance photographer can set their freelancer pricing based on the number of guests. They can also use location, such as outdoor or indoor shoots, as a prerequisite of the bundle. 5 Pricing Strategies to Explore: The pricing models come after defining your value, income, and bundling. You use these strategies to help keep the cash flowing in. The 5 pricing strategies any freelancer should consider are as follows. Per Day This is the pricing model that charges clients a flat day fee. As long as you work that day, you get paid, regardless of the work done! This freelancer day rate offers a predictable income stream and simplifies project cost estimations. However, there is a caveat for both the freelancer and the client. The freelancer may feel underpaid if the work is in excess. The client is dissatisfied if a freelancer does the job in a rush. A freelancer might also prolong the process to get an extra payday, costing the client. Per Hour This freelancer pricing mode is usually the standard one. You track your time on a project and calibrate the total using your hourly rate. This model is the best for projects with variable scopes. Yet again, a freelancer may prolong the hours for an extra buck. However, a client can set a fixed budget and a time limit for submission to cap this. Per Project or Milestone Pricing work per project is when clients set a flat fee for the entire project. They can also break down the payment scheme into milestones and pay after each phase’s completion. This payment mode is ideal for long-term work engagements that require little or no supervision. It also assures and motivates you as a freelancer to keep going. The downside: There needs to be more flexibility. Due to a fixed budget per milestone or project, there is little to no room for adjustments for complex tasks. Per Value Added Picture this: A client has a business website with little traffic and wants to know why. The client will pay a freelancer who accomplishes this goal by giving them reasons and ways to increase traffic. A freelancing website SEO expert or website tester would match this job description. They might suggest the use of specific keywords, links, or the use of high-quality content. The job ends there, nothing more! Anything else beyond the scope of the task they disregard or ask for extra payment. Advertising your freelance price based on this requires high levels of expertise. The disadvantage is that there is only compensation if the freelancer adds value. Also, such freelancers require a reliable track record of past success and referees to secure this job. Retainer The final mode of the freelancer 5 pricing strategies is working on a retainer. Freelancers using this model set working hours weekly or monthly and seek compensation for their time. Working on a retainer is stable and helps you build long-term client relationships. On the flip side, retainers are not suitable for short-term projects. Additional Things to Consider When Pricing: As aforementioned, the freelancing business is not a black-and-white trade. Therefore, freelance pricing won’t entirely rely on your rates. Beyond the five freelance pricing strategies, you must also consider the following: The Client Budget You might have a rate card stating your hourly or daily rates, but the client has a set budget; how do you approach this? You may have to comply, especially if it is a lucrative opportunity. Nonetheless, remember to factor in your expertise and the value you add. If you must, calculate and see if the freelancer day rate meets your quotas. Location Location might be a minor factor if you are an expert in your industry. However, if you are starting, ensure you know your region’s freelance rates. Most clients will hire and pay you based on where you are from. Be Open to Negotiations Be ready for customers to negotiate your freelancer pricing. Sometimes, a client may desire to pay per milestone or project, while your rate card mentions hourly rates. They might also negotiate a discount with a promise for return work. In this case, go with what suits your business. Draft contracts so that both parties uphold their end of the deal. Payment Terms Freelancers need to define payment terms to avoid misunderstandings after completing the task. So, to avoid this, clearly state your terms: do you want to be paid in full before or after the task? Do you want a percentage of the payment before and the rest after? Or do you want it in bits? Most freelancer platforms offer the client security by holding the payments in escrow until the client is satisfied. If you are a freelancer facing payment issues, these platforms also provide legal aid to get fair compensation. They also have late fee policies to safeguard freelancers. Freelance Work Tips Before we close off this topic, here are a few freelance work tips to help you streamline payment. Consider packaging your services for different clients and audiences. Use contracts outlining your freelance pricing structure, payment terms, and channels. Ensure the payment channels have easy invoicing and payment tools, like Ruul . They should also be available to the client. Use software tools for time-tracking and project management for accurate billable hours counting. Review and adjust your freelance pricing rates as you grow in your craft. Consider the evolving market prices, your growing mastery, and your skill set. Accomplish Freelance Work Pricing Right Freelance has its fair share of downsides; don’t let your rates be one of them! When you master freelance pricing strategies, you set yourself apart and join the winning team. It would be unfortunate to undersell yourself when you deserve so much more. Your skills and experience are valuable assets for which you should be paid. So, pick a model or two, and start earning what you are worth! ABOUT THE AUTHOR Ceylin Güven Ceylin Güven likes reading anything she can get her hands on, writing poetry that’s way too personal, and watching Studio Ghibli movies. More Top 5 Pricing Policies Designed for Freelancers Setting the right price for your freelance services can be challenging. Here are the five best pricing strategies to grow your business! Read more 5 Marketing Tip For Freelancers Elevate your freelance game with 5 pandemic-proof marketing tips. Stay ahead, thrive, and succeed! Read more Lemon Squeezy vs Gumroad Compare LemonSqueezy and Gumroad for digital creators: fees, features, payment options, and best use cases in 2025. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://dev.to/t/architecture/page/5 | Architecture Page 5 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Architecture Follow Hide The fundamental structures of a software system. Create Post Older #architecture posts 2 3 4 5 6 7 8 9 10 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu React Design Patterns Every Frontend & FullStack Developer Should Know Muhammad Rabbi Muhammad Rabbi Muhammad Rabbi Follow Jan 9 React Design Patterns Every Frontend & FullStack Developer Should Know # architecture # frontend # javascript # react Comments Add Comment 2 min read Running Native (Non-Container) Workloads on Kubernetes: A Practical Experiment laoshanxi laoshanxi laoshanxi Follow Jan 9 Running Native (Non-Container) Workloads on Kubernetes: A Practical Experiment # architecture # devops # kubernetes # containers Comments Add Comment 2 min read No todo problema necesita IA, pero toda IA necesita gobernanza Antonio Jose Socorro Marin Antonio Jose Socorro Marin Antonio Jose Socorro Marin Follow Jan 9 No todo problema necesita IA, pero toda IA necesita gobernanza # discuss # ai # architecture Comments Add Comment 1 min read Not Every Problem Needs AI, but Every AI Needs Governance Antonio Jose Socorro Marin Antonio Jose Socorro Marin Antonio Jose Socorro Marin Follow Jan 9 Not Every Problem Needs AI, but Every AI Needs Governance # discuss # ai # architecture # management Comments Add Comment 1 min read 🚀 Quo.js v0.5.0 🚀 - Event-Driven Architecture and MIT License quojs quojs quojs Follow Jan 8 🚀 Quo.js v0.5.0 🚀 - Event-Driven Architecture and MIT License # architecture # javascript # opensource Comments Add Comment 7 min read REST vs GraphQL: Two Philosophies, Two Eras, One Endless Debate dbc2201 dbc2201 dbc2201 Follow Jan 8 REST vs GraphQL: Two Philosophies, Two Eras, One Endless Debate # discuss # api # architecture # graphql Comments Add Comment 12 min read The ERP Modernization Dilemma: Intelligence Layer vs. Full Replacement in 2026 Genco Divrikli Genco Divrikli Genco Divrikli Follow Jan 9 The ERP Modernization Dilemma: Intelligence Layer vs. Full Replacement in 2026 # discuss # ai # architecture Comments Add Comment 4 min read I Built a Simple MIPS CPU Simulator in Python 🧠 Alberto Alberto Alberto Follow Jan 8 I Built a Simple MIPS CPU Simulator in Python 🧠 # python # beginners # codecademy # architecture Comments Add Comment 1 min read Type-Safe By Design: Architecting Applications That Make Bugs Impossible Tarun Moorjani Tarun Moorjani Tarun Moorjani Follow Jan 8 Type-Safe By Design: Architecting Applications That Make Bugs Impossible # webdev # typescript # architecture # javascript Comments Add Comment 8 min read Browser-Based kubectl Access: Managing Kubernetes Without Bastion Hosts Robert Zsoter Robert Zsoter Robert Zsoter Follow Jan 8 Browser-Based kubectl Access: Managing Kubernetes Without Bastion Hosts # architecture # devops # kubernetes # security Comments Add Comment 4 min read La gobernanza no se “alinea”: se diseña Antonio Jose Socorro Marin Antonio Jose Socorro Marin Antonio Jose Socorro Marin Follow Jan 9 La gobernanza no se “alinea”: se diseña # ai # architecture # design # spanish Comments Add Comment 1 min read LLMs are like Humans - They make mistakes. Here is how we limit them with Guardrails Ali-Funk Ali-Funk Ali-Funk Follow Jan 8 LLMs are like Humans - They make mistakes. Here is how we limit them with Guardrails # aws # ai # guardrails # architecture Comments Add Comment 2 min read Legacy-First Design (LFD): Designing Software That Still Makes Sense Over Time Matheus Pereira Matheus Pereira Matheus Pereira Follow Jan 11 Legacy-First Design (LFD): Designing Software That Still Makes Sense Over Time # architecture # design # softwareengineering 1 reaction Comments Add Comment 2 min read The Command Pattern Simplified: How Modern Java (21–25) Makes It Elegant Jitin Jitin Jitin Follow Jan 8 The Command Pattern Simplified: How Modern Java (21–25) Makes It Elegant # architecture # java # tutorial Comments Add Comment 7 min read Handshake: o custo invísivel das APIs modernas Caio Macedo Caio Macedo Caio Macedo Follow Jan 8 Handshake: o custo invísivel das APIs modernas # api # architecture # networking # performance Comments Add Comment 3 min read My Node.js API Best Practices in 2025 Shamim Ali Shamim Ali Shamim Ali Follow Jan 8 My Node.js API Best Practices in 2025 # api # architecture # node # performance Comments Add Comment 3 min read Wearable Tech Data + Better Health Insights + Building a Scalable IoT Pipeline on AWS wellallyTech wellallyTech wellallyTech Follow Jan 9 Wearable Tech Data + Better Health Insights + Building a Scalable IoT Pipeline on AWS # aws # architecture # serverless # iot Comments Add Comment 3 min read Framework de Gobernanza para IA Responsable Nathalie Chicaiza Nathalie Chicaiza Nathalie Chicaiza Follow Jan 8 Framework de Gobernanza para IA Responsable # ai # architecture # aws # spanish Comments Add Comment 2 min read SwiftUI Image Loading Pipeline (AsyncImage Is Not Enough) Sebastien Lato Sebastien Lato Sebastien Lato Follow Jan 8 SwiftUI Image Loading Pipeline (AsyncImage Is Not Enough) # swiftui # performance # images # architecture Comments Add Comment 3 min read Monorepo Demystified: Turborepo vs. Lerna vs. Nx - Which one should you choose? 🚀 Werliton Silva Werliton Silva Werliton Silva Follow Jan 8 Monorepo Demystified: Turborepo vs. Lerna vs. Nx - Which one should you choose? 🚀 # architecture # javascript # tooling Comments Add Comment 2 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 Stop Drowning Your LLMs: The Case for the Multidimensional Knowledge Graph Imran Siddique Imran Siddique Imran Siddique Follow Jan 8 Stop Drowning Your LLMs: The Case for the Multidimensional Knowledge Graph # ai # architecture # llm # rag Comments Add Comment 4 min read An experiment in building a lightweight, ephemeral chat system vogchat vogchat vogchat Follow Jan 8 An experiment in building a lightweight, ephemeral chat system # discuss # architecture # privacy # showdev Comments Add Comment 1 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 Modernizing Legacy ERP Systems with Machine Learning: A Practical Implementation Guide Genco Divrikli Genco Divrikli Genco Divrikli Follow Jan 8 Modernizing Legacy ERP Systems with Machine Learning: A Practical Implementation Guide # architecture # machinelearning # tutorial 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:53 |
https://dev.to/t/architecture/page/4 | Architecture Page 4 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Architecture Follow Hide The fundamental structures of a software system. Create Post Older #architecture 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 Your LINQ Filters Are Scattered Everywhere — Here's How to Fix It Ahmad Al-Freihat Ahmad Al-Freihat Ahmad Al-Freihat Follow Jan 9 Your LINQ Filters Are Scattered Everywhere — Here's How to Fix It # dotnet # csharp # cleancode # architecture Comments Add Comment 9 min read How Modern Retail Platforms Sync POS, ERP, and eCommerce Using APIs M Antony M Antony M Antony Follow Jan 9 How Modern Retail Platforms Sync POS, ERP, and eCommerce Using APIs # retailtech # api # architecture # webdev Comments Add Comment 3 min read Separate Stack for separate Thread. Saiful Islam Saiful Islam Saiful Islam Follow Jan 10 Separate Stack for separate Thread. # webdev # operatingsystm # computerscience # architecture 2 reactions Comments Add Comment 7 min read EventBus Zaw Htut Win Zaw Htut Win Zaw Htut Win Follow Jan 9 EventBus # architecture # java # programming Comments Add Comment 1 min read Kubernetes Persistence Series Part 3: Controllers & Resilience — Why Kubernetes Self-Heals Vincent Du Vincent Du Vincent Du Follow Jan 11 Kubernetes Persistence Series Part 3: Controllers & Resilience — Why Kubernetes Self-Heals # kubernetes # devops # architecture # sre 8 reactions Comments Add Comment 4 min read Pare de Construir "Big Balls of Mud": O Guia de Sobrevivência Cloud-Native Eduardo Rosa Eduardo Rosa Eduardo Rosa Follow Jan 9 Pare de Construir "Big Balls of Mud": O Guia de Sobrevivência Cloud-Native # architecture # cloudcomputing # microservices Comments Add Comment 5 min read Memory Layout: Heap vs Stack ali ehab algmass ali ehab algmass ali ehab algmass Follow Jan 9 Memory Layout: Heap vs Stack # computerscience # programming # architecture # learning Comments Add Comment 3 min read Governance Is Not “Aligned” — It Is Designed Antonio Jose Socorro Marin Antonio Jose Socorro Marin Antonio Jose Socorro Marin Follow Jan 10 Governance Is Not “Aligned” — It Is Designed # discuss # ai # architecture # design 1 reaction Comments Add Comment 1 min read Principal Architect Mindset – Self-Questioning Guide Sekar Thangavel Sekar Thangavel Sekar Thangavel Follow Jan 9 Principal Architect Mindset – Self-Questioning Guide # architecture # career # performance # systemdesign Comments Add Comment 3 min read Designing Secure-by-Design Cloud Platforms for Regulated Industries Cygnet.One Cygnet.One Cygnet.One Follow Jan 10 Designing Secure-by-Design Cloud Platforms for Regulated Industries # architecture # cloud # security Comments Add Comment 8 min read The Mind Protocol: Why Your AI Agent Needs a World Before It Can Think Jung Sungwoo Jung Sungwoo Jung Sungwoo Follow Jan 9 The Mind Protocol: Why Your AI Agent Needs a World Before It Can Think # ai # architecture # typescript # agents Comments Add Comment 9 min read Tools Don’t Fix Broken Systems — Design Does Technmsrisai Technmsrisai Technmsrisai Follow Jan 9 Tools Don’t Fix Broken Systems — Design Does # systems # architecture # productivity # software Comments Add Comment 2 min read Try crash my app! I built a Link Shortener on the Edge. Can you help me crash it? (Live Dashboard) Elias Oliveira Elias Oliveira Elias Oliveira Follow Jan 9 Try crash my app! I built a Link Shortener on the Edge. Can you help me crash it? (Live Dashboard) # showdev # architecture # performance # testing Comments Add Comment 1 min read Real-Time is an SLA, Not an Architecture: When You Actually Need Kafka (And When You Don't) Vinicius Fagundes Vinicius Fagundes Vinicius Fagundes Follow Jan 11 Real-Time is an SLA, Not an Architecture: When You Actually Need Kafka (And When You Don't) # discuss # architecture # dataengineering # career 1 reaction Comments Add Comment 10 min read How Cloud-Native Architecture Enables Faster Innovation Cygnet.One Cygnet.One Cygnet.One Follow Jan 9 How Cloud-Native Architecture Enables Faster Innovation # architecture # cloud # devops Comments Add Comment 8 min read When client-side entity normalization actually becomes necessary in large React Native apps Vasyl Kostin Vasyl Kostin Vasyl Kostin Follow Jan 9 When client-side entity normalization actually becomes necessary in large React Native apps # architecture # react # reactnative Comments Add Comment 3 min read Hands-on: Building Your Monorepo with Lerna and Yarn Workspaces Werliton Silva Werliton Silva Werliton Silva Follow Jan 9 Hands-on: Building Your Monorepo with Lerna and Yarn Workspaces # architecture # javascript # tooling # tutorial 1 reaction Comments Add Comment 2 min read How to Properly Deprecate API Endpoints in Laravel Bilal Haidar Bilal Haidar Bilal Haidar Follow Jan 9 How to Properly Deprecate API Endpoints in Laravel # php # laravel # architecture Comments Add Comment 5 min read How a Developer Built Eternal Contextual RAG and Achieved 85% Accuracy (from 60%) Thinker Thinker Thinker Follow Jan 9 How a Developer Built Eternal Contextual RAG and Achieved 85% Accuracy (from 60%) # ai # architecture # llm # rag Comments Add Comment 5 min read AI Orchestration: The Missing Layer Behind Reliable Agentic Systems Yeahia Sarker Yeahia Sarker Yeahia Sarker Follow Jan 9 AI Orchestration: The Missing Layer Behind Reliable Agentic Systems # agents # ai # architecture # systemdesign Comments Add Comment 3 min read Tailwind CSS Through the Lens of the Independent Variation Principle Yannick Loth Yannick Loth Yannick Loth Follow Jan 10 Tailwind CSS Through the Lens of the Independent Variation Principle # tailwindcss # independentvariation # css # architecture Comments Add Comment 9 min read Architecture Backwards: Engineering a Self-Defending System Before the UI Arrives Nemwel Boniface Nemwel Boniface Nemwel Boniface Follow Jan 9 Architecture Backwards: Engineering a Self-Defending System Before the UI Arrives # rails # architecture # observability # postgres Comments Add Comment 8 min read Stop Dumping Junk into Your Context Window: The Case for Multidimensional Knowledge Graphs Imran Siddique Imran Siddique Imran Siddique Follow Jan 9 Stop Dumping Junk into Your Context Window: The Case for Multidimensional Knowledge Graphs # architecture # llm # rag Comments Add Comment 4 min read 📘 Paywall SDK – Tài liệu sử dụng TỪ A Z (kèm JSON mẫu) ViO Tech ViO Tech ViO Tech Follow Jan 9 📘 Paywall SDK – Tài liệu sử dụng TỪ A Z (kèm JSON mẫu) # android # architecture # kotlin # tutorial Comments Add Comment 4 min read From GlusterFS to JuiceFS: Lightillusions Achieved 2.5x Faster 3D AIGC Data Processing DASWU DASWU DASWU Follow Jan 9 From GlusterFS to JuiceFS: Lightillusions Achieved 2.5x Faster 3D AIGC Data Processing # ai # architecture # opensource # performance Comments Add Comment 9 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:53 |
https://dev.to/devdiscuss/s7-e5-how-to-be-a-successful-whistleblower | S7:E5 - How To Be a Successful Whistleblower - 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 DevDiscuss Follow S7:E5 - How To Be a Successful Whistleblower Dec 9 '21 play In this episode, we talk about how to be a better whistleblower with Ariella Steinhorn and Amber Scorah, the CEO and the President of Lioness, and the creators of The Tech Workers Handbook. Show Notes Vultr (sponsor) DevNews (sponsor) CodeNewbie (sponsor) New Relic (sponsor) Microsoft 30 Days to Learn It (DevDiscuss) (sponsor) Lioness The Tech Worker Handbook Bezos Wants to Create a Better Future in Space. His Company Blue Origin Is Stuck in a Toxic Past. Whistle-Blower Says Facebook ‘Chooses Profits Over Safety’ Ariella Steinhorn Ariella is founder of Lioness, a new media company that pokes at power. She has guided hundreds of people through sharing their story with the media and public, and believes in the power of storytelling to shift culture. Amber Scorah Amber is a writer, speaker, author of the memoir Leaving the Witness. She is president and partner at Lioness and a Dean's fellow at Harvard. She has helped hundreds of people put their own thoughts to paper and bring their stories to the world via the media. 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:53 |
https://ruul.io/blog/toptal-vs-fiverr-which-is-better-for-freelancers | Toptal vs Fiverr: A Useful Comparison for Freelancers Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow Toptal vs Fiverr Which is Better for Freelancers? Which platform is better for freelancers in 2024: Toptal or Fiverr? Uncover the answer and see which one suits your needs. Mert Bulut 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Choosing the accurate and most beneficial platform is the most important part of freelancing. It mostly changes the whole financial stability, flow of income and career building. Toptal and Fiverr provide unique features and target audiences. Here’s a detailed post about Toptal and Fiverr to help you choose which platform and to see how to find a job on fiverr or toptal might be the best fit for you. Toptal: The Elite Freelance Network 1. Screening and Quality Toptal positions itself as a platform for elite freelancers. Its screening process is notably rigorous, involving multiple stages to ensure that only the top 3% of applicants make it through. This includes skill assessments, technical interviews, and tests designed to evaluate both expertise and problem-solving abilities. As a result, Toptal freelancers often work on high-profile projects with high-end clients. 2. Project Types and Clients Toptal specializes in connecting freelancers with clients who have complex, high-value projects. The platform is particularly strong in areas such as software development, design, and finance. Clients range from Fortune 500 companies to high-growth startups looking for top-notch talent. The emphasis is on long-term, often high-budget projects where expertise and experience are highly valued. 3. Compensation Due to the platform's focus on premium projects and clients, freelancers on Toptal can often command higher rates compared to other platforms. The pay reflects the high level of skill required and the value provided to clients. Freelancers typically negotiate their rates directly with clients, often resulting in lucrative compensation for their expertise. 4. Support and Resources Toptal provides a range of resources and support to its freelancers, including access to a community of professionals, continuous learning opportunities, and dedicated account managers who help match freelancers with suitable projects. This support structure can be particularly beneficial for freelancers looking to grow their careers and network with other top professionals. 5. Platform Fees Toptal charges freelancers a percentage of their earnings, which varies based on the project and client. While this fee can be higher than other platforms, it is often justified by the quality of clients and the nature of the projects. Freelancers on Toptal benefit from higher rates and potentially more significant opportunities. Upwork, Freelancer, Guru are alternative platforms to Toptal for freelancers. They also offer diverse projects for freelancers. As a freelancer, you should be aware of the importance of an organized business model. Ruul, as your Merchant of Record, onboards your client, handles invoicing and payment collection . Allows you to stay organized while focusing on your business. Fiverr: The Gig Economy Marketplace 1. Accessibility and Diversity Fiverr allows freelancers to attract clients for each size of project. So it is basically a marketplace for freelancers who have beginner experience as well. It is well known with its wide range of services. Fiverr allows freelancers to create “gigs,” which are service offerings starting at $5. These gigs can cover virtually any type of work, from graphic design and writing to programming and digital marketing. Fiverr’s marketplace model attracts a broad spectrum of clients, including individuals, small businesses, and larger organizations. Top services on Fiverr usually include a wide range of offerings such as administrative support, virtual assistance, project management, data entry, social media management, and customer service. These services help businesses streamline their operations and manage tasks efficiently. 2. Project Types and Clients On Fiverr, freelancers can offer services across a diverse array of categories. Projects range from simple, one-time tasks to ongoing work. The platform is suitable for freelancers who want to offer fixed-price services and have the flexibility to set their rates and gig packages. Clients on Fiverr may include small businesses and individuals looking for affordable solutions for specific tasks. 3. Compensation While Fiverr’s entry point is $5 per gig, freelancers can create different and staged pricing structures and upsell additional services to increase their earnings. While Fiverr can offer lower initial pay, it provides opportunities for freelancers to build their reputations and increase their rates over time. 4. Support and Resources Fiverr offers various tools and resources for freelancers, including a user-friendly interface for managing gigs and communicating with clients. The platform also provides support through its customer service team. However, Fiverr’s support is generally less personalized compared to Toptal, as it caters to a larger volume of freelancers and clients. 5. Platform Fees Fiverr charges freelancers a 20% commission on each gig, which is higher compared to many other freelance platforms. While this fee can be significant, it covers the cost of using the platform and its associated services. Freelancers need to account for this fee when setting their prices and managing their earnings. One of the most important subjects for freelancers is to be able to reach support when they need to. Ruul's customer support is provided by real people, not AI assistance. It is very easy with Ruul to solve issues instantly. Which is Better for You? In Summary, you should consider your experience level while choosing between Toptal and Fiverr. Toptal is mostly for freelancers who have better experience and high value skills, however, Fiverr is suitable for beginners as well. Fiverr's diverse marketplace allows you to build your client base and gradually increase your rates as you gain experience. Compensation and fees also vary: Toptal offers the potential for higher earnings but comes with a steeper fee structure, while Fiverr has lower starting rates and higher commission fees, though it provides the chance to grow your income as you gain positive reviews and experience. Also you can check your comparison for Upwork vs Fiverr . Ruul Helps Your Freelancing Needs Ruul allows freelancers to sell their digital services to businesses anywhere around the world. Ruul, plays a role as your Merchant of Record, is the legal entity selling your professional services to your business clients compliantly in 190 countries. Ruul provides an easy, secure and user friendly platform for freelancers. With Ruul freelancers can accept cryptocurrency payout . It is one of the most secure payment collection solutions for the freelancer to secure the process. Ruul also offers multiple payment options, including credit cards. If freelancers activate the system then they can simply send their clients a payment link to receive the payment easy and fast. If you are a freelancer who gets work from Fiverr or similar platforms, you can sign up with Ruul to get paid 4x faster which can be extremely important for freelancers to maintain their financial stability. ABOUT THE AUTHOR Mert Bulut Mert Bulut is an innate entrepreneur, who after completing his education in Management Engineering (BSc) and Programming (MSc), co-founded Ruul at the age of 27. His achievements in entrepreneurship were recognized by Fortune magazine, which named him as one of their 40 under 40 in 2022. More What Is a Merchant of Record? Everyone explains Merchant of Record in complicated terms, no one really explains simply who it benefits and why. But I did it for you. Read more Freelance Consultant Rates 2025: Hourly, Industry & Global Insights Some say consulting is tough to price. 2025 data shows you might be charging way too little! Read more Ruul business interviews: meet Tufan from GrowthYouNeed Join Ruul Business Interviews: Meet Tufan from GrowthYouNeed. Gain insights into growth strategies and business success! Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://ruul.io/blog/what-is-a-merchant-of-record | What Is a Merchant of Record? A Simple Guide for Freelancers & Creators Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up get paid What Is a Merchant of Record? Everyone explains Merchant of Record in complicated terms, no one really explains simply who it benefits and why. But I did it for you. Umut Güncan 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points MoR = Your payment bodyguard: A Merchant of Record collects customer payments, issues invoices in their name (not yours), handles tax compliance globally, and shields you from messy stuff like chargebacks and VAT. Why do freelancers need this: Sick of W‑9s, frozen PayPal funds, or figuring out VAT rates across Europe? MoR platforms (like Ruul) automate it all (for a small fee) and let you focus on doing the actual work. Set it, forget it, get paid: Just create a payment request or product listing, share the link, and boom. MoR handles invoicing, tax, payouts (even in crypto!), and disputes while you sip your coffee. When was the last time you gave up on a venture or avoided a foreign customer because you couldn't adapt? This is a problem of our time (for freelancers, solo workers, and small businesses). And if I could offer just one solution for this today, it would definitely be Merchant of Record (MoR). In this article, I explain what MoR is and how partnering with one can transform your business and your comfort level. As simply and clearly as possible. Are you ready? Here we go! What “Merchant of Record” actually means A Merchant of Record (MoR) is a legal entity that manages customer payments, allows you to generate invoices, and assumes global tax obligations and financial risks for you. When a client pays for your physical product, digital product, freelance service, or subscription, will show the MoR’s name (not yours!) on the invoice and client card statement. In this setup, you just create and deliver the product/service. Then, MoR takes care of the rest: Tax and collection Invoicing and documentation Payment and compliance Refunds, disputes & chargeback This way, you can focus on your best work, free from tasks that waste time and money. Learn the difference between invoicing tools and MoRs . Who needs a MoR (and why) Almost everyone working online can benefit from a Merchant of Record. But some need it more than others (really): Freelancers Independent contractors Digital content creators Small business owners SaaS entrepreneurs If you work solo or are part of a small team (2-4 people), you know how limited resources (time and money) can be. Customer relationships and tax rules, which change every few months, can slowly seep your creative energy. When you move to MoR, you'll be able to delegate payments, tax compliance, and refunds back, allowing you to focus on what you're best at. You'll also have protection from risks that erode your income, like refunds, chargebacks, and legal liabilities. One simple switch = fewer admin tasks, less stress, and more time to grow your business. When freelancers feel the pain (and why MoR exists) As a freelancer, without a Merchant of Record (MoR), you'll encounter a series of challenging obstacles, and that's precisely why MoR exists! 👇🏻 1) “My EU client needs a VAT‑compliant invoice.” → Normally, you’d need to research VAT rates in multiple countries and calculate the rates yourself (and VAT rates can change constantly). It can be difficult to keep track of. 2) “My US client says I need a W‑9.” → Normally, it is your responsibility to determine which tax form (W-9, W-8BEN, 1099, etc.) is applicable, prepare the document to the IRS's satisfaction, and submit it. 3) “A chargeback froze my PayPal balance for weeks.” → Normally, you manage the dispute process yourself, send the evidence, and wait for weeks. In the end, you either get your money back or all your efforts go down the drain. 4) “My payment failed because of SCA/3DS2.” → Typically, you'd have to resolve these authentication issues on your own, contact your payment provider, and ensure that all security requirements are satisfied. 📌 This is exactly why the MoR model exists for freelancers. For a small fee (5% on Ruul), you are able to delegate items that would normally take you time and resources to learn or fix yourself. How an MoR works (4 basic steps) See what to expect when working with a MoR 👇🏻 1) Sell or send a payment request MoR works in two ways: a. Sell a product, service, or subscription Your customer can find and buy your product either through external links or directly on the platform. This could be a digital product or a subscription-based software/service. A unique feature of Ruul is that freelancers can create subscription-based service packages . Such as monthly social media management, weekly newsletters, etc. Thus, you can set up recurring payments automatically. b. Send a payment request This method is popular with freelancers who work on a project basis. You can create a $500 invoice, send it to your client, and they can pay without signing up. You can do it all with Ruul. 2) MoR manages payments MoR's most popular feature is its ability to issue globally VAT-compliant invoices. It automatically calculates and collects the VAT/sales tax rate applicable in the customer's country (no manual tracking required 🙅🏻). But that's not all. MoR then reports the collected tax amounts to the relevant authorities and makes tax payments on your behalf. For instance, if a German customer purchases software, MoR adds 19% VAT to the payment and reports it to the EU. However, your MoR must operate in the relevant country for automatic VAT calculation. And don't worry, MoRs support many countries as a matter of principle. Still, I recommend finding out before choosing (Ruul supports 190 countries). 3) Get your payment Once the payment is confirmed, the money’s yours. But, the MoR takes a small commission from your earnings (for ex., Gumroad charges 10%, and Ruul 5%). You can withdraw your approved balance using the methods permitted by the platform. But remember, some platforms have limited methods, and payments may take longer. For instance, Gumroad does not pay your balance until 7 days after the sale. But, if you need your money fast, you can choose platforms that pay quicker. With Ruul, transfers via bank transfer take a day, but arrive almost instantly via crypto! 4) Managing refunds, disputes, and chargebacks Okay, but you shouldn't overlook the invisible risks after the sale. What if the customer requests a refund, initiates a dispute, or files a chargeback? The MoR model handles all of this directly with payment processors and banks. Normally, when your customer disputes the payment, your account may be frozen until the issue is resolved. You also need to provide documentation proving the legitimacy of the transaction. This can take weeks and affect your cash flow. Worse still, the outcome is uncertain. Fortunately, with MoR, this risk is removed. Is MoR Right for you? If you’re not sure whether MoR is for you, here’s a quick section to help you decide. You’ll find answers to questions like: “Do I really need an MoR?” and “What would I have to handle myself without one?” 1) 60‑Second diagnostic I’ve got 6 quick questions for you. Just answer “ Yes” or “No” : Do you sell to multiple countries? Do your clients require VAT/GST invoices? Do you hate filing taxes? Do you deal with disputes/chargebacks? Do you need multiple payout currencies? Do you want to focus on your craft, not compliance? If you said “yes” to 3+ → MoR likely fits. 2) Build vs. Buy: Cost & risk calculator Does the DIY column look intimidating? Do you have the time, cash, and other resources to set everything up yourself? On the right, you’ll see what the MoR handles for you. Getting started is quick, costs are low, and you don’t need big resources. 3) Edge Cases: When MoR isn’t just helpful, it’s essential There are a few situations where I just can’t help but say, “You need an MoR for this.” Beyond everything else, I’ve summed up the 3 cases where having a MoR really becomes a necessity. 👇🏻 a) Subscriptions & recurring services Recurring payments mean recurring tax obligations. 😬 Each billing period must comply with the customer's local VAT or sales tax rules. Think about how much time this wastes: New invoices every month Worrying about whether VAT has changed Manually tracking payments Instead, Merchant of Record automatically tracks billing cycles, calculates taxes, and maintains a valid invoice for you. Especially if you're a micro-entrepreneur, I think MoR is a safe place for you. Otherwise, trying to handle everything yourself will quickly burn you out. b) B2B reverse charge Selling to registered businesses abroad triggers reverse charge rules. VAT line, tax ID, and wording change. MoR platforms adapt the invoice according to the buyer type and jurisdiction. This way, you don't have to deal with EU directives yourself. Frankly, if you're invoicing other companies, I'm confident that MoR will maintain your compliance and trust. c) Mixed Products (Physical + Digital) Different product types come with different tax treatments. Digital goods may be taxed where the buyer lives, while physical ones follow the seller’s location. MoR automatically applies the right rate and issues compliant invoices, even if your store mixes both. If you sell both tangible and digital goods, MoR keeps your checkout flow simple, and legal. Finding the right MoR platform Picking a Merchant of Record can eat up days. Features, fees, fine print... and you end up choosing nothing. So let’s cut the noise. Here are four checkpoints that actually matter. Make your decision based on these 👇🏻 1) Is it built for your business model? You can’t sell subscriptions on a MoR platform built only for digital products. That’s why it’s important to look closely at what each platform actually supports. For example, Ruul is designed for freelance services, digital products, and subscriptions. If you’re selling a one-time service, a digital download, or recurring work, Ruul can handle it easily. But if you run a full e-commerce store with physical inventory, you’ll need a different platform. Pro tip: Choose a MoR that fits what you actually sell, not what you hope to sell someday. 2) Is there payment flexibility? An MoR platform should offer flexible payment options for both sides. Your customer should be able to pay in their own currency. That’s why it’s great to choose an MoR that supports both bank transfers and credit card payments. Ruul handles this perfectly. Ruul supports 190 countries and 140+ currencies (including cryptocurrency). For example, no matter how your customer pays, you can receive payment in the way you want. Even if your customer pays in euros, you can receive the payment in cryptocurrency. Perfect. 3) What’s the platform cost? An MoR platform should be affordable and not take a big chunk of your earnings. Most platforms charge a commission between 5% and 20%, usually per invoice. Personally, anything above 10% sounds pricey, since there are more reasonable options out there. At Ruul, we’ve been running a flat 5% fee for a while. This low, competitive rate is already a favorite and helps freelancers keep most of their income. Normally, you’d have to pay much more for these kinds of services. 4) Are payments fast? You’ve finished your work and your invoice is paid. Can you get your money right away? This really matters because bills and personal needs don’t wait. However, some platforms like Gumroad hold your funds for up to 7 days before sending them to you. They do this for security reasons, but that’s quite a long time. Especially for long-term projects, it means you won’t have access to your money for a while. If fast payments are a priority for you, make sure to check the platform’s withdrawal rules. With Ruul, bank transfers reach your account in just one day, and crypto payouts arrive instantly in your Binance account! Using Ruul as your MoR Ruul is the best Merchant of Record platform for independent professionals. It’s ideal for: Sending payment requests to your clients, Selling packaged digital products, and Offering subscription-based products or services. 1) Set up in minutes Now, let’s see how to make Ruul your MoR partner. 👇🏻 a) Create a talent account Joining Ruul as a talent (seller) takes just two steps: your email address and password. If you prefer, you can sign up instantly with your Google account. b. Authorize Ruul After setting up your account, there’s one required step before you can start selling: identity verification. Once you complete this, Ruul becomes your authorized MoR. c. Create payment request/product/service Click “ Add New ” at the top left, and you’ll see three options: New payment request: Send an invoice your client can pay directly New product: Sell your digital assets as a package New service: Offer an instantly purchasable service package d. Share link → receive payout If you’re selling a digital product or service package, payments are processed automatically. For a payment request , you’ll need to send the invoice link to your client. They can pay it easily (no Ruul account required). But, if you’ve sold a service package , your payment will be held safely until you deliver the project and your client confirms it. 2) Everyday ops Manage refunds, export receipts, and track multi-currency clients from one dashboard. Freelancers shouldn't spend most of their time tracking payments by 2026. If refunds, tax receipts, and client balances are scattered across different places, a “centralized” solution is essential. Ruul brings these daily moving parts together. Tracking customers who use multiple currencies is about knowing how much you have left after taxes are deducted. MoR converts, records, and transfers in real time. So instead of guessing with currency calculators, you can see your net profit. Everyday ops under an MoR feel like autopilot: you still own your work, but the boring, risky, repetitive parts simply stop stealing your time. 3) Light compliance ops Most people assume “VAT compliance” is a checkbox you tick once and forget. In reality, it’s dozens of small, moving parts that can turn into a headache fast. Changing tax rates, reverse-charge rules, region-specific invoice formats… the whole maze. Ruul quietly handles all those behind-the-scenes updates while keeping your dashboard clean and consistent. Accountants don’t need a folder of raw invoices, they need clarity. Ruul exports reconciled records by country and tax type, so your accountant doesn’t have to decode platform fees or foreign exchange differences manually. “Light compliance” doesn’t mean cutting corners, it means letting a system do the heavy lifting. No plugin updates, no late-night tax research, no EU rate spreadsheet tabs. Just compliance that runs itself. Joining Ruul independently now takes just a minute. FAQs 1. What is an example of a Merchant of Record? A Merchant of Record (MoR) example is Ruul, which processes client payments, issues VAT-compliant invoices, and manages global taxes for freelancers and creators. Other examples include Gumroad and Paddle, which perform similar roles. 2. What is meant by Merchant of Record? A Merchant of Record (MoR) is the legal seller on an invoice who collects customer payments, handles global tax compliance, manages chargebacks, and pays you afterward. It acts as your financial and legal intermediary. 3. Is PayPal a Merchant of Record? No. PayPal is a payment processor, not a Merchant of Record. It transfers money between parties but doesn’t handle invoicing, taxes, or compliance on your behalf like MoR platforms such as Ruul do. 4. Do I need a Merchant of Record? Yes. If you sell internationally, issue invoices, or hate dealing with taxes. A Merchant of Record automates VAT, payments, and refunds so you can focus on your actual work instead of paperwork and compliance. ABOUT THE AUTHOR Umut Güncan With a degree in electronic engineering, Umut has over 15 years of experience in the industry. For the past 8 years, he has been leading tech and product teams at companies including Getir, specializing in crafting standout products that give these companies an edge. More Tips for more productive remote meetings Nishchal Dua, Director Of Marketing at Airmeet, shares their top three tips to run an efficient and productive meeting for those who work remotely. Read more What is Invoice Reconciliation? What is invoice reconciliation, what is it used for and what are the invoice reconciliation processes? Click to discover its importance! Read more Understanding Upfront Payments Learn the benefits of upfront payments for freelancers, how to request them, and tools like Ruul for secure, efficient payment processing and global invoicing. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://hmpljs.forem.com/t/react | React - HMPL.js 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 HMPL.js Forem Close React Follow Hide Official tag for Facebook's React JavaScript library for building user interfaces Create Post submission guidelines 1️⃣ Post Facebook's React ⚛ related posts/questions/discussion topics here~ 2️⃣ There are no silly posts or questions as we all learn from each other👩🎓👨🎓 3️⃣ Adhere to dev.to 👩💻👨💻 Code of Conduct about #react React is a declarative, component-based library, you can learn once, and write anywhere Editor Guide Check out this Editor Guide or this post to learn how to add code syntax highlights, embed CodeSandbox/Codepen, etc Official Documentations & Source Docs Tutorial Community Blog Source code on GitHub Improving Your Chances for a Reply by putting a minimal example to either JSFiddle , Code Sandbox , or StackBlitz . Describe what you want it to do, and things you've tried. Don't just post big blocks of code! Where else to ask questions StackOverflow tagged with [reactjs] Beginner's Thread / Easy Questions (Jan 2020) on r/reactjs subreddit. Note: a new "Beginner's Thread" created as sticky post on the first day of each month Learn in Public Don't afraid to post an article or being wrong. Learn in public . Older #react posts 1 2 3 4 5 6 7 8 9 … 75 … 1772 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV 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 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 . HMPL.js Forem © 2016 - 2026. Powerful templates, minimal JS Log in Create account | 2026-01-13T08:47:53 |
https://crypto.forem.com/about | About - Crypto 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 Crypto Forem Close About This is a new Subforem, part of the Forem ecosystem. You are welcome to the community and stay tuned for more! 💎 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 Crypto Forem — A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. 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 . Crypto Forem © 2016 - 2026. Uniting blockchain builders and thinkers. Log in Create account | 2026-01-13T08:47:53 |
https://dev.to/new/career#main-content | New Post - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Join the DEV Community DEV Community is a community of 3,676,891 amazing developers Continue with Apple Continue with Facebook Continue with Forem Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to DEV Community? Create account . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:47:53 |
https://ruul.io/blog/how-does-payment-work-on-fiverr | Fiverr Payment Guide: How to Get Paid, Fees & Withdrawal Options Explained Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up sell How Does Payment Work on Fiverr? Wondering how Fiverr pays you? Learn about fees, 14-day clearance, and 3 withdrawal methods to get your money fast. Canan Başer 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Fiverr is one of the top choices for independents as it creates a space for finding global clients. The Fiverr payment method also draws attention as it’s straightforward and allows various payment platforms. However, Fiverr fees are not the most competitive and the currencies you can withdraw revenue in are limited. So, you may want to see Fiverr alternatives before setting up an account. Still, Fiverr is a commonly used marketplace and you may be curious about how to get paid on Fiverr. In this article, you will find everything you need to know. Plus, you will learn about a better alternative that offers local and international payment methods - aka Ruul. How does the Fiverr Payment Method Work? Once you start working on a project on Fiverr , the client pays for it immediately and the platform keeps it for you until you complete the order. After the order is completed, Fiverr applies 80% of the payment to your account under a “pending” status–the platform keeps 20% as a Fiverr fee from the seller’s end. Notice that: When you work through Fiverr, you need to consider the Fiverr costs and propose an amount to your clients accordingly. If you don’t agree to give a 20% discount on your services, you need to increase your prices . Pending status may last from 7 to 14 days for financial processing. When the funds are cleared and approved by the buyer, you can withdraw your money. If the buyer ghosts you, the system will automatically clear the fund in three days. But what may interest you more at this step is the buyer can request a refund. However, in this case, they need to explain why they are not satisfied with the project. Fiverr will be the decision maker in this scenario. Hopefully, when everything goes well, you can withdraw money from your Fiverr account only once every 24 hours with a limit of $5k. The advantages of Fiverr payment The platform ensures that the buyer will not ghost you by getting payment from the buyer while starting the project. There is no surprise about the Fiverr fee–even though it’s quite high. Disadvantages of Fiverr payment The withdrawal process is quite long. You have access to your money after waiting for 14 days–7 days only for Fiverr Top Rated Sellers , Seller Plus Premium sellers , and Pro sellers. Fiverr takes a cut from your service–20% is quite high while there are much better options. For example, Ruul’s commission rates start from 2.75% for each transaction. Fiverr: How to Get Paid You will need to follow these steps to get paid on Fiverr. Once you get a job on Fiverr, be patient and do these for Fiverr payment. If you are stuck in the first step, avoid these Fiverr bidding mistakes . Account setup for Fiverr’s payment system Fiverr is not only a direct payment platform, but also a platform for selling freelance work. But if you are done with this part, you can move on to thinking about how to get paid as a freelancer or how to pay a freelancer. As a seller, your Fiverr account is enough to start working on a project. But you need to connect your payment account to withdraw money. Platforms and currencies you can use for Fiverr payment Fiverr operates entirely in USD, meaning all seller earnings are displayed in US dollars. However, sellers can choose to withdraw their funds in their preferred currency. You can withdraw money in these currencies: US Dollar (USD) Australian Dollar (AUD) Canadian Dollar (CAD) British Pound (GBP) Euro (EUR) Israeli Shekel (ILS) When withdrawing funds in a different currency, Fiverr applies conversion fees, and additional charges may vary depending on your bank. Fiverr allows PayPal (if available in your country) Bank Transfer and Payoneer Account (available only for some sellers and charges a $30 annual fee) Also see: Ruul, on the other hand, offers payouts in 140 currencies, giving freelancers more flexibility. It also supports crypto payments, making it a modern alternative for global transactions. You can calculate the costs and fees on Ruul’s pricing page . With more currency options, freelancers can cater to clients worldwide without worrying about exchange limitations. Click on the Freelancer’s pay button to try now. If you are a buyer: As a buyer, you can use Fiverr's payment options such as Credit/debit cards, PayPal, Payoneer Apple Pay, etc. to purchase a service you need. As we mentioned earlier, you will pay for the service once the project kicks off. Wait for the Fiverr payment system to process Fiverr’s payment system ensures sellers get paid securely . After completing a project, you submit the work for client approval. The buyer reviews it and can request changes if needed. Once satisfied, the buyer marks the order as complete. This confirms the successful delivery of the project. Fiverr offers multiple payment methods for withdrawals. After completion, Fiverr holds the payment during a "clearing period." For most sellers, this lasts 14 days. Top-rated sellers with a strong track record wait only 7 days. This holding period protects both buyers and sellers. It allows time to resolve disputes before the funds are released. Withdraw your money via your selected payment method Once the clearing period ends, your money is ready for withdrawal. You can transfer it via PayPal, Payoneer, or direct deposit, depending on your chosen method. Fiverr takes a 20% fee from every transaction. This means sellers receive 80% of the total gig price. This is usually what keeps freelancers away from the platform. This fee is 10% on Upwork and starts from 2.75% on Ruul. For the Buyers: How to Pay on Fiverr If you are a buyer on Fiverr, when you find a service, you place an order and pay in advance. Until the work is completed, Fiverr keeps the money and does not transfer it to the freelancer. This is to prevent scams and allow buyers to get satisfactory results. The same applies to freelancers. It guarantees that sellers will receive money before starting and protects both parties equally. As for payments, the price you pay as a buyer includes the job price and the Fiverr service fee. This is 5.5% of the order total. For purchases under $100, they will apply an additional $3.00 small order fee. Fiverr vs Ruul for Payments When you sell a gig as a seller on Fiverr, your client pays instantly, but you don't get paid immediately. Fiverr keeps the money until you complete the project. At the end of the project, you'll receive your money upon client approval. Paying high commissions - or not For every sale you make on Fiverr, you pay a 20% commission, so 80% of it is yours. While this fee is necessary to cover the cost of running Fiverr, it's considered a fairly high market average. In contrast, Ruul ’s commission starts from 2.75% for every transaction. This is one of the lowest commissions on the market and allows freelancers to keep more of their earnings. Also, you can ask your client to pay the commission. You can simply select the service fee payer while preparing the invoice. Waiting long to get paid - or not Ruul has no extra waiting time to process the money from your client. This is quite revolutionary among billing and checkout services for freelancers. Ruul transfers the money to your account within 24 hours after your client completes payment. You can even get your payment in minutes depending on the currencies, countries, and banks involved. Fiverr makes you wait a minimum of 7 days to clear your money. Believe in user reviews - or not Real users on Trustpilot rate Ruul 4.8, classifying the platform as “Excellent.” In comparison, Fiverr holds a rating of 3.5 , which is considered “Average.” Payment options Ruul offers a variety of payment options, with crypto payments being one of the most attractive choices. Freelancers using Ruul can receive payments through bank accounts or crypto accounts, such as Binance. On the client side, payments can be made via bank transfers or credit cards. In comparison, Fiverr provides different payment methods for freelancers and buyers. Freelancers can receive payments through PayPal (if available in their country), bank transfers, or a Payoneer account, which is only available to certain sellers and comes with a $30 annual fee. Buyers on Fiverr, on the other hand, can make payments using credit or debit cards, PayPal, Payoneer, Apple Pay, and other available options. What Else to Know About Fiverr Payment Here's what you need to know about the Fiverr payment system, both as a seller and a buyer. How to handle revisions and disputes One of the most important features of Fiverr's payment system is the way it handles revisions and disputes. If a buyer is not fully satisfied with the work, they can request revisions. Sellers are expected to meet customers' reasonable requests as long as they remain within the scope of the original order. For minor adjustments, sellers can make the necessary changes without significantly delaying payment. This ensures that the process is smooth and efficient. However, if a dispute arises over quality, project requirements, or other concerns, Fiverr's resolution center steps in to mediate. If the issue is not resolved, Fiverr's support team reaches a decision to ensure a fair outcome. This decision is expected to be fair for both parties. This system protects both buyers and sellers, helping to maintain trust and credibility on the platform. The importance of reviews and ratings Fiverr's payment system has a review and rating system that plays a very important role in the platform experience. Once an order is completed and paid for, both buyers and sellers have the right to leave reviews for each other. These reviews help sellers gain credibility and attract more clients, while buyers can use them to find reliable freelancers for future projects. You need to maintain your rating, as a high rating means you win more work as a seller. Positive feedback significantly increases a freelancer's volume of work, as buyers often check reviews before a purchase. Keep in mind that earning high ratings requires consistently delivering quality work and maintaining good client relationships. This will help you generate more orders and higher earnings. After completing your Fiverr payment process, use Ruul for invoicing and financial management. Ruul offers an easy way to create invoices , along with AI tools and other resources designed specifically for freelancers. FAQ How long does it take to get paid on Fiverr? After the Fiverr order is completed, the payment is held for 7-14 days depending on your level. At the end of this period, you can receive payment to your preferred bank account. What is Fiverr used for? While freelancers use Fiverr to sell services, businesses use it to find the freelance talent they are looking for. Does Fiverr take a cut? Fiverr takes 20% commission from each sale transaction of freelancers and 5.5% from buyers. How do you pay on Fiverr as a buyer? On Fiverr, you can make purchases both on the web and mobile, with debit and credit cards, PayPal, Payoneer, and Apple Pay. ABOUT THE AUTHOR Canan Başer Developing and implementing creative growth strategies. At Ruul, I focus on strengthening our brand and delivering real value to our global community through impactful content and marketing projects. More Upwork vs. Fiverr: Which is Better for Freelancers? When choosing between Fiverr and Upwork, compare their features and discover their advantages. Browse now to find the best option for your freelancer goals! Read more How to Use a Freelance Pricing Calculator to Set Your Rates Learn how to effectively use a freelance pricing calculator to set rates that cover your expenses and meet income goals. Click to discover how! Read more Top 8 podcasts for web developers Web development is a never-ending process. Keep up with the latest trends and techniques with these 8 podcasts that are sure to keep you ahead of the game. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
https://llvm.org/docs/UndefinedBehavior.html#undef-values | LLVM IR Undefined Behavior (UB) Manual — LLVM 22.0.0git documentation Navigation index next | previous | LLVM Home | Documentation » Reference » LLVM IR Undefined Behavior (UB) Manual Documentation Getting Started/Tutorials User Guides Reference Getting Involved Contributing to LLVM Submitting Bug Reports Mailing Lists Discord Meetups and Social Events Additional Links FAQ Glossary Publications Github Repository This Page Show Source Quick search LLVM IR Undefined Behavior (UB) Manual ¶ Abstract Introduction Immediate UB Time Travel Deferred UB Undef Values Poison Values Propagation of Poison Through Select The Freeze Instruction Writing Tests Without Undefined Behavior Summary Abstract ¶ This document describes the undefined behavior (UB) in LLVM’s IR, including undef and poison values, as well as the freeze instruction. We also provide guidelines on when to use each form of UB. Introduction ¶ Undefined behavior (UB) is used to specify the behavior of corner cases for which we don’t wish to specify the concrete results. UB is also used to provide additional constraints to the optimizers (e.g., assumptions that the frontend guarantees through the language type system or the runtime). For example, we could specify the result of division by zero as zero, but since we are not really interested in the result, we say it is UB. There exist two forms of undefined behavior in LLVM: immediate UB and deferred UB. The latter comes in two flavors: undef and poison values. There is also a freeze instruction to tame the propagation of deferred UB. The lattice of values in LLVM is: immediate UB > poison > undef > freeze(poison) > concrete value. We explain each of the concepts in detail below. Immediate UB ¶ Immediate UB is the most severe form of UB. It should be avoided whenever possible. Immediate UB should be used only for operations that trap in most CPUs supported by LLVM. Examples include division by zero, dereferencing a null pointer, etc. The reason that immediate UB should be avoided is that it makes optimizations such as hoisting a lot harder. Consider the following example: define i32 @f ( i1 %c , i32 %v ) { br i1 %c , label %then , label %else then: %div = udiv i32 3 , %v br label %ret else: br label %ret ret: %r = phi i32 [ %div , %then ], [ 0 , %else ] ret i32 %r } We might be tempted to simplify this function by removing the branching and executing the division speculatively because %c is true most of times. We would obtain the following IR: define i32 @f ( i1 %c , i32 %v ) { %div = udiv i32 3 , %v %r = select i1 %c , i32 %div , i32 0 ret i32 %r } However, this transformation is not correct! Since division triggers UB when the divisor is zero, we can only execute speculatively if we are sure we don’t hit that condition. The function above, when called as f(false, 0) , would return 0 before the optimization, and triggers UB after being optimized. This example highlights why we minimize the cases that trigger immediate UB as much as possible. As a rule of thumb, use immediate UB only for the cases that trap the CPU for most of the supported architectures. Time Travel ¶ Immediate UB in LLVM IR allows the so-called time travelling. What this means is that if a program triggers UB, then we are not required to preserve any of its observable behavior, including I/O. For example, the following function triggers UB after calling printf : define void @fn () { call void @printf (...) willreturn unreachable } Since we know that printf will always return, and because LLVM’s UB can time-travel, it is legal to remove the call to printf altogether and optimize the function to simply: define void @fn () { unreachable } Deferred UB ¶ Deferred UB is a lighter form of UB. It enables instructions to be executed speculatively while marking some corner cases as having erroneous values. Deferred UB should be used for cases where the semantics offered by common CPUs differ, but the CPU does not trap. As an example, consider the shift instructions. The x86 and ARM architectures offer different semantics when the shift amount is equal to or greater than the bitwidth. We could solve this tension in one of two ways: 1) pick one of the x86/ARM semantics for LLVM, which would make the code emitted for the other architecture slower; 2) define that case as yielding poison . LLVM chose the latter option. For frontends for languages like C or C++ (e.g., clang), they can map shifts in the source program directly to a shift in LLVM IR, since the semantics of C and C++ define such shifts as UB. For languages that offer strong semantics, they must use the value of the shift conditionally, e.g.: define i32 @x86_shift ( i32 %a , i32 %b ) { %mask = and i32 %b , 31 %shift = shl i32 %a , %mask ret i32 %shift } There are two deferred UB values in LLVM: undef and poison , which we describe next. Undef Values ¶ Warning Undef values are deprecated and should be used only when strictly necessary. Uses of undef values should be restricted to representing loads of uninitialized memory. This is the only part of the IR semantics that cannot be replaced with alternatives yet (work in ongoing). An undef value represents any value of a given type. Moreover, each use of an instruction that depends on undef can observe a different value. For example: define i32 @fn () { %add = add i32 undef , 0 %ret = add i32 %add , %add ret i32 %ret } Unsurprisingly, the first addition yields undef . However, the result of the second addition is more subtle. We might be tempted to think that it yields an even number. But it might not be! Since each (transitive) use of undef can observe a different value, the second addition is equivalent to add i32 undef, undef , which is equivalent to undef . Hence, the function above is equivalent to: define i32 @fn () { ret i32 undef } Each call to this function may observe a different value, namely any 32-bit number (even and odd). Because each use of undef can observe a different value, some optimizations are wrong if we are not sure a value is not undef. Consider a function that multiplies a number by 2: define i32 @fn ( i32 %v ) { %mul2 = mul i32 %v , 2 ret i32 %mul2 } This function is guaranteed to return an even number, even if %v is undef. However, as we’ve seen above, the following function does not: define i32 @fn ( i32 %v ) { %mul2 = add i32 %v , %v ret i32 %mul2 } This optimization is wrong just because undef values exist, even if they are not used in this part of the program as LLVM has no way to tell if %v is undef or not. Looking at the value lattice, undef values can only be replaced with either a freeze instruction or a concrete value. A consequence is that giving undef as an operand to an instruction that triggers UB for some values of that operand makes the program UB. For example, udiv %x, undef is UB since we replace undef with 0 ( udiv %x, 0 ), becoming obvious that it is UB. Poison Values ¶ Poison values are a stronger form of deferred UB than undef. They still allow instructions to be executed speculatively, but they taint the whole expression DAG (with some exceptions), akin to floating point NaN values. Example: define i32 @fn ( i32 %a , i32 %b , i32 %c ) { %add = add nsw i32 %a , %b %ret = add nsw i32 %add , %c ret i32 %ret } The nsw attribute in the additions indicates that the operation yields poison if there is a signed overflow. If the first addition overflows, %add is poison and thus %ret is also poison since it taints the whole expression DAG. Poison values can be replaced with any value of type (undef, concrete values, or a freeze instruction). Propagation of Poison Through Select ¶ Most instructions return poison if any of their inputs is poison. A notable exception is the select instruction, which is poison if and only if the condition is poison or the selected value is poison. This means that select acts as a barrier for poison propagation, which impacts which optimizations can be performed. For example, consider the following function: define i1 @fn ( i32 %x , i32 %y ) { %cmp1 = icmp ne i32 %x , 0 %cmp2 = icmp ugt i32 %x , %y %and = select i1 %cmp1 , i1 %cmp2 , i1 false ret i1 %and } It is not correct to optimize the select into an and because when %cmp1 is false, the select is only poison if %x is poison, while the and below is poison if either %x or %y are poison. define i1 @fn ( i32 %x , i32 %y ) { %cmp1 = icmp ne i32 %x , 0 %cmp2 = icmp ugt i32 %x , %y %and = and i1 %cmp1 , %cmp2 ;; poison if %x or %y are poison ret i1 %and } However, the optimization is possible if all operands of the values are used in the condition (notice the flipped operands in the select ): define i1 @fn ( i32 %x , i32 %y ) { %cmp1 = icmp ne i32 %x , 0 %cmp2 = icmp ugt i32 %x , %y %and = select i1 %cmp2 , i1 %cmp1 , i1 false ; ok to replace with: %and = and i1 %cmp1 , %cmp2 ret i1 %and } The Freeze Instruction ¶ Both undef and poison values sometimes propagate too much down an expression DAG. Undef values because each transitive use can observe a different value, and poison values because they make the whole DAG poison. There are some cases where it is important to stop such propagation. This is where the freeze instruction comes in. Take the following example function: define i32 @fn ( i32 %n , i1 %c ) { entry: br label %loop loop: %i = phi i32 [ 0 , %entry ], [ %i2 , %loop.end ] %cond = icmp ule i32 %i , %n br i1 %cond , label %loop.cont , label %exit loop.cont: br i1 %c , label %then , label %else then: ... br label %loop.end else: ... br label %loop.end loop.end: %i2 = add i32 %i , 1 br label %loop exit: ... } Imagine we want to perform loop unswitching on the loop above since the branch condition inside the loop is loop invariant. We would obtain the following IR: define i32 @fn ( i32 %n , i1 %c ) { entry: br i1 %c , label %then , label %else then: %i = phi i32 [ 0 , %entry ], [ %i2 , %then.cont ] %cond = icmp ule i32 %i , %n br i1 %cond , label %then.cont , label %exit then.cont: ... %i2 = add i32 %i , 1 br label %then else: %i3 = phi i32 [ 0 , %entry ], [ %i4 , %else.cont ] %cond = icmp ule i32 %i3 , %n br i1 %cond , label %else.cont , label %exit else.cont: ... %i4 = add i32 %i3 , 1 br label %else exit: ... } There is a subtle catch: when the function is called with %n being zero, the original function did not branch on %c , while the optimized one does. Branching on a deferred UB value is immediate UB, hence the transformation is wrong in general because %c may be undef or poison. Cases like this need a way to tame deferred UB values. This is exactly what the freeze instruction is for! When given a concrete value as argument, freeze is a no-op, returning the argument as-is. When given an undef or poison value, freeze returns a non-deterministic value of the type. This is not the same as undef: the value returned by freeze is the same for all users. Branching on a value returned by freeze is always safe since it either evaluates to true or false consistently. We can make the loop unswitching optimization above correct as follows: define i32 @fn ( i32 %n , i1 %c ) { entry: %c2 = freeze i1 %c br i1 %c2 , label %then , label %else ... } Writing Tests Without Undefined Behavior ¶ When writing tests, it is important to ensure that they don’t trigger UB unnecessarily. Some automated test reduces sometimes use undef or poison values as dummy values, but this is considered a bad practice if this leads to triggering UB. For example, imagine that we want to write a test and we don’t care about the particular divisor value because our optimization kicks in regardless: define i32 @fn ( i8 %a ) { %div = udiv i8 %a , poison ... } The issue with this test is that it triggers immediate UB. This prevents verification tools like Alive from validating the correctness of the optimization. Hence, it is considered a bad practice to have tests with unnecessary immediate UB (unless that is exactly what the test is for). The test above should use a dummy function argument instead of using poison: define i32 @fn ( i8 %a , i8 %dummy ) { %div = udiv i8 %a , %dummy ... } Common sources of immediate UB in tests include branching on undef/poison conditions and dereferencing undef/poison/null pointers. Note If you need a placeholder value to pass as an argument to an instruction that may trigger UB, add a new argument to the function rather than using undef or poison. Summary ¶ Undefined behavior (UB) in LLVM IR consists of two well-defined concepts: immediate and deferred UB (undef and poison values). Passing deferred UB values to certain operations leads to immediate UB. This can be avoided in some cases through the use of the freeze instruction. The lattice of values in LLVM is: immediate UB > poison > undef > freeze(poison) > concrete value. It is only valid to transform values from the left to the right (e.g., a poison value can be replaced with a concrete value, but not the other way around). Undef is now deprecated and should be used only to represent loads of uninitialized memory. Navigation index next | previous | LLVM Home | Documentation » Reference » LLVM IR Undefined Behavior (UB) Manual © Copyright 2003-2026, LLVM Project. Last updated on 2026-01-13. Created using Sphinx 7.2.6. | 2026-01-13T08:47:53 |
https://ruul.io/blog/understanding-upfront-payments-a-freelancers-comprehensive-guide | Mastering Upfront Payments Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up get paid Understanding Upfront Payments Learn the benefits of upfront payments for freelancers, how to request them, and tools like Ruul for secure, efficient payment processing and global invoicing. Canan Başer 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points As a freelancer, managing your cash flow can be one of the most challenging aspects of running your business. Unlike traditional employees who receive regular, predictable paychecks, freelancers often face delays in payment or inconsistent revenue. To reduce these challenges, many freelancers offer upfront payments. This blog post will explore what upfront payments are, why they are beneficial for freelancers, and how platforms like Ruul can support you in ensuring a smooth and reliable payment process. What Are Upfront Payments? Upfront payments are payments a client makes before any work starts. This is common in freelance jobs like design, writing, programming, and consulting. An upfront payment is like a deposit or part of the total price. The amount usually depends on the size of the project and is often a percentage of the full price. For freelancers, asking for an upfront payment helps protect them from not getting paid and lowers the risk of financial loss. Without this, freelancers may face clients who delay or avoid payment after the work is done. Why Are Upfront Payments Important for Freelancers? Cash Flow Management For freelancers, money can be hard to predict, especially when starting out. Upfront payments help by giving some money before the work starts. This is helpful when working on big projects or long-term jobs that take weeks or months to finish. Security and Trust Upfront payments show the client is serious about the project and values your skills. It protects you from clients who might cancel the project or not pay after the work is done. Time Management Getting some payment upfront lets you focus on the work without worrying about delays. It helps you plan your time better and finish the project without stress about getting paid. Encourages Professionalism Asking for upfront payments shows you value your time and skills. It also helps set a professional tone and encourages clients to pay on time and respect your work. How to Request Upfront Payments as a Freelancer When it comes to requesting upfront payments, clear communication is key. Here are some steps to help you navigate the process: Clear Communication Talk to your client about payment terms before starting the project. Explain your pricing and why you need upfront payments. Agree on an amount (usually 20-50% of the total cost) and include it in the contract to avoid confusion. Offer Payment Options Make it easy for clients by offering different payment methods like bank transfers, digital wallets, or credit cards. This increases the chances they’ll agree to your terms. Use a Reliable Payment Platform Freelancers can make the payment process smoother by using a reliable platform that supports upfront payments. Ruul’s early payment platform , for example, allows freelancers to receive payments faster by providing early access to funds. This platform ensures that your hard-earned money is quickly processed and deposited, reducing the waiting time for payment. Use Payment Milestones For big projects, break payments into stages. For example, get the first payment at the start, the second halfway through, and the final payment when the work is done. This helps clients feel secure and ensures you get paid along the way. Offer Upfront Discounts Give clients a small discount if they pay the full amount upfront. This motivates them to pay early and lets you secure more money before starting. Get Benefit From Ruul While Requesting Upfront Payments While requesting upfront payments is an essential practice for freelancers, ensuring that payments are processed efficiently is just as important. Using payment platforms like Ruul can streamline the payment process and ensure that you receive your payments on time. Ruul’s early payment feature offers freelancers the flexibility to receive their earnings faster. With the ability to access your payment in advance, Ruul provides a reliable solution for managing your cash flow and ensuring that your business runs smoothly. If you work internationally or have clients in different countries, Ruul’s global invoicing feature can simplify the process of sending invoices and receiving payments in multiple currencies. This is especially useful if you’re working with clients across borders and want to avoid the complexities of traditional bank transfers. For freelancers who want to maximize their savings and reduce tax liabilities, Ruul also provides useful tools and tips to help you manage your finances effectively. You can find helpful resources such as tax tips for freelancers that explain how to keep more of your earnings, even after taxes are deducted. Tax Implications of Upfront Payments While upfront payments are beneficial for freelancers, it’s important to understand the tax implications. In some regions, receiving a large sum upfront can have an impact on how you report your income. For freelancers working in Turkey, for example, understanding Turkey taxes for freelancers is important in managing your finances. Freelancers in Turkey must report their income and pay taxes accordingly, and upfront payments are typically taxed in the period they are received. To stay compliant with local tax regulations, it’s important to work with an accountant or tax professional who understands the specific tax rules for freelancers in your country. Platforms like Ruul can help ensure that your payments are processed in a timely and transparent manner, making it easier for you to manage your income and taxes effectively. Ruul’s early payment platform is a great way to take control of your financial situation. Freelancers who often experience delayed payments can benefit from the platform’s ability to accelerate payment timelines. With this service, you can access your earnings sooner, which can significantly improve cash flow and reduce the stress of waiting for payments. ABOUT THE AUTHOR Canan Başer Developing and implementing creative growth strategies. At Ruul, I focus on strengthening our brand and delivering real value to our global community through impactful content and marketing projects. More Freelancers Nightmare: Late Payments and How to Handle Them As a freelancer, you need to learn effective strategies to manage late payments. Take advantage of the guide we have prepared for you! Read more What to Sell as a Digital Product Want to make money while you sleep? From AI art to ebooks and plugins, here’s what actually sells in 2025 and makes your wallet happy! Read more IR35: Ultimate guide to UK’s new tax law for businesses & contractors Master the ins and outs of IR35 with our ultimate guide for businesses and contractors. Stay compliant and protect your income! Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:47:53 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.