#webProgramming

How to Dominate SPFx Builds Using Heft

3,202 words, 17 minutes read time.

There comes a point in every developer’s career when the tools that once served him well start to feel like rusty shackles. You know the feeling. It’s 2:00 PM, you’ve got a deadline breathing down your neck, and you are staring at a blinking cursor in your terminal, waiting for gulp serve to finish compiling a simple change. It’s like trying to win a drag race while towing a boat. In the world of SharePoint Framework (SPFx) development, that sluggishness isn’t just an annoyance; it’s a direct insult to your craftsmanship. We need to talk about upgrading the engine under the hood. We need to talk about Heft.

The thesis here is simple: if you are serious about SharePoint development, if you want to move from being a tinkerer to a master builder, you need to understand and leverage Heft. It is the necessary evolution for developers who demand speed, precision, and scalability. This isn’t about chasing the shiny new toy; it’s about respecting your own time and the integrity of the code you ship.

In this deep dive, we are going to strip down the build process and look at three specific areas where Heft changes the game. First, we will look at the raw torque it provides through parallelism and caching—turning your build times from a coffee break into a blink. Second, we will discuss the discipline of code quality, showing how Heft integrates testing and linting not as afterthoughts, but as foundational pillars. Finally, we will talk about architecture and how Heft enables you to scale from a single web part to a massive, governed monorepo empire. But before we get into the nuts and bolts, let’s talk about why we are here.

For years, the SharePoint Framework relied heavily on a standard Gulp-based build chain. It worked. It got the job done. But it was like an old pickup truck—reliable enough for small hauling, but terrible if you needed to move a mountain. As TypeScript evolved, as our projects got larger, and as the complexity of the web stack increased, that old truck started to sputter. We started seeing memory leaks. We saw build times creep up from seconds to minutes.

The mental toll of a slow build is real. When you are in the flow state, holding a complex mental model of your application in your head, a thirty-second pause breaks your focus. It’s like dropping a heavy weight mid-set; getting it back up takes twice the energy. You lose your rhythm. You start checking emails or scrolling social media while the compiler chugs along. That is mediocrity creeping in.

Heft is Microsoft’s answer to this fatigue. Born from the Rush Stack family of tools, Heft is a specialized build system designed for TypeScript. It isn’t a general-purpose task runner like Gulp; it is a precision instrument built for the specific challenges of modern web development. It understands the graph of your dependencies. It understands that your time is the most expensive asset in the room.

We are going to explore how this tool stops the bleeding. We aren’t just going to look at configuration files; we are going to look at the philosophy of the build. This is for the guys who want to look at their terminal output and see green checkmarks flying by faster than they can read them. This is for the developers who take pride in the fact that their local environment is as rigorous as the production pipeline.

So, put on your hard hat and grab your wrench. We are about to tear down the old way of doing things and build something stronger, faster, and more resilient. We are going to look at how Heft provides the horsepower, the discipline, and the architectural blueprints you need to dominate your development cycle.

Unleashing Raw Torque through Parallelism and Caching

Let’s get straight to the point: speed is king. In the physical world, if you want to go faster, you add cylinders or you add a turbo. In the world of compilation, you add parallelism. The legacy build systems we grew up with were largely linear. Task A had to finish before Task B could start, even if they had absolutely nothing to do with each other. It’s like waiting for the paint to dry on the walls before you’re allowed to install the plumbing in the bathroom. It makes no sense, yet we accepted it for years.

Heft changes this dynamic by understanding the topology of your tasks. It utilizes a plugin architecture that allows different phases of the build to run concurrently where safe. When you invoke a build, Heft isn’t just mindlessly executing a list; it is orchestrating a symphony of processes. While your TypeScript is being transpiled, Heft can simultaneously be handling asset copying, SASS compilation, or linting tasks.

This is the difference between a single-lane country road and a multi-lane superhighway. By utilizing all the cores on your machine, Heft maximizes the hardware you paid for. Most of us are sitting on powerful rigs with 16 or 32 threads, yet we use build tools that limp along on a single thread. It’s like buying a Ferrari and never shifting out of first gear. Heft lets you open the throttle.

But parallelism is only half the equation. The real magic—the nitrous oxide in the tank—is caching. A smart developer knows that the fastest code is the code that never runs. If you haven’t changed a file, why are you recompiling it? Why are you re-linting it? Legacy tools often struggle with this, performing “clean” builds far too often just to be safe.

Heft implements a sophisticated incremental build system. It tracks the state of your input files and the configuration that governs them. When you run a build, Heft checks the signature of the files. If the signature matches the cache, it skips the work entirely. It retrieves the output from the cache and moves on.

Imagine you are working on a massive project with hundreds of components. You tweak the CSS in one button. In the old days, you might trigger a cascade of recompilation that took forty seconds. With Heft, the system recognizes that the TypeScript hasn’t changed. It recognizes that the unit tests for the logic haven’t been impacted. It only reprocesses the SASS and updates the bundle. The result? A build that finishes in milliseconds.

This speed changes how you work. It tightens the feedback loop. You make a change, you hit save, and the result is there. It encourages experimentation. When the penalty for failure is a thirty-second wait, you play it safe. You write less code because you dread the build. When the penalty is zero, you try new things. You iterate. You refine.

Furthermore, this caching mechanism isn’t just for your local machine. In advanced setups involving Rush (which we will touch on later), this cache can be shared. Imagine a scenario where a teammate fixes a bug in a core library. The CI server builds it and pushes the cache artifacts to the cloud. When you pull the latest code and run a build, your machine downloads the pre-built artifacts. You don’t even have to compile the code your buddy wrote. You just link it and go.

This is the raw torque we are talking about. It is the feeling of power you get when the tool works for you, not against you. It is the satisfaction of seeing a “Done in 1.24s” message on a project that used to take a minute. It respects the fact that you have work to do and limited time to do it. It clears the path so you can focus on the logic, the architecture, and the solution, rather than staring at a progress bar.

Enforcing Discipline with Rigorous Testing and Linting

Speed without control is just a crash waiting to happen. You can have the fastest car on the track, but if the steering wheel comes off in your hands at 200 MPH, you are dead. In software development, speed is the build time; control is quality assurance. This brings us to the second major usage of Heft: enforcing discipline through rigorous testing and linting.

Let’s be honest with each other. As men in this industry, we often have an ego about our code. We think we can write perfect logic on the first try. We think we don’t need tests because “I know how this works.” That is a rookie mindset. The expert knows that human memory is fallible. The expert knows that complexity grows exponentially. The expert demands a safety net.

Heft treats testing and linting not as optional plugins, but as first-class citizens of the build pipeline. In the legacy SPFx days, setting up Jest was a nightmare. You had to fight with Babel configurations, struggle with module resolution, and hack together scripts just to get a simple unit test to run. It was friction. And when something has high friction, we tend to avoid doing it.

Heft eliminates that friction. It comes with built-in support for Jest. It abstracts away the complex configuration required to get TypeScript and Jest playing nicely together. When you initialize a project with the proper Heft rig, testing is just there. You type heft test, and it runs. No drama, no configuration hell. Just results.

This ease of use removes the excuse for not testing. Now, you can adopt a Test-Driven Development (TDD) approach where you write the test before the code. You define the constraints of your battlefield before you send in the troops. This ensures that your logic is sound, your edge cases are covered, and your component actually does what the spec says it should do.

But Heft goes further than just running tests. It integrates ESLint deep into the build process. Linting is the drill sergeant of your code. It screams at you when you leave unused variables. It yells when you forget to type a return value. It forces you to adhere to a standard. Some developers find this annoying. They think, “I know what I meant, why does the computer care about a missing semicolon?”

The computer cares because consistency is the bedrock of maintainability. When you are working on a team, or even when you revisit your own code six months later, you need a standard structure. Heft ensures that the rules are followed every single time. It doesn’t let you get lazy. If you try to commit code that violates the linting rules, the build fails. The line stops.

This creates a culture of accountability. It forces you to address technical debt immediately rather than sweeping it under the rug. It changes the psychology of the developer. You stop looking for shortcuts and start taking pride in the cleanliness of your code. You start viewing the linter not as an enemy, but as a spotter in the gym—there to make sure your form is perfect so you don’t hurt yourself.

Moreover, Heft allows for the standardization of these rules across the entire organization. You can create a shared configuration rig. This means every project, every web part, and every library follows the exact same set of rules. It eliminates the “it works on my machine” arguments. It standardizes the definition of “done.”

When you combine the speed of Heft’s incremental builds with the rigor of its testing and linting integration, you get a development environment that is both fast and safe. You can refactor with confidence. You can tear out a chunk of legacy code and replace it, knowing that if you broke something, the test suite will catch it instantly. It turns coding from a game of Jenga into a structural engineering project. You are building on a foundation of reinforced concrete, not mud.

Architecting the Empire with Monorepo Scalability

Now we arrive at the third pillar: Scalability. Most developers start their journey building a single solution—a shed in the backyard. It has a few tools, a workbench, and a simple purpose. But as you grow, as your responsibilities increase, you aren’t just building sheds anymore. You are building skyscrapers. You are managing an empire of code.

In the SharePoint world, this usually manifests as a sprawling ecosystem of web parts, extensions, and shared libraries. You might have a library for your corporate branding, another for your data access layer, and another for common utilities. Then you have five different SPFx solutions that consume these libraries.

Managing this in separate repositories is a logistical nightmare. You fix a bug in the utility library, publish it to npm, go to the web part repo, update the version number, run npm install, and hope everything syncs up. It’s slow, it’s prone to version conflicts, and it kills productivity. This is “DLL Hell” reimagined for the JavaScript age.

Heft is designed to work hand-in-glove with Rush, the monorepo manager. This is where you separate the amateurs from the pros. A monorepo allows you to keep all your projects—libraries and consumers—in a single Git repository. But simply putting folders together isn’t enough; you need a toolchain that understands how to build them.

Heft provides that intelligence. When you are in a monorepo managed by Rush and built by Heft, the system understands the dependency tree. If you change code in the “Core Library,” and you run a build command, the system knows it needs to rebuild “Core Library” first, and then rebuild the “HR WebPart” that depends on it. It handles the linking automatically.

This symlinking capability is a game-changer. You are no longer installing your own libraries from a remote registry. You are linking to the live code on your disk. You can make a change in the library and see it reflected in the web part immediately. It tears down the walls between your projects.

But Heft contributes even more to this architecture through the concept of “Rigs.” In a large organization, you don’t want to copy and paste your tsconfig.jsoneslintrc.js, and jest.config.js into fifty different project folders. That is a maintenance disaster waiting to happen. If you want to update a rule, you have to edit fifty files.

Heft Rigs allow you to define a standard configuration in a single package. Every other project in your monorepo then “extends” this rig. It’s like inheritance in object-oriented programming, but for build configurations. You define the blueprint once. If you decide to upgrade the TypeScript version or enable a stricter linting rule, you change it in the rig. Instantly, that change propagates to every project in your empire.

This is leadership through architecture. You are enforcing standards and simplifying maintenance without micromanaging every single folder. It allows you to onboard new developers faster. They don’t need to understand the intricacies of Webpack configuration; they just need to know how to consume the rig.

It also solves the problem of “phantom dependencies.” One of the plagues of npm is that packages often hoist dependencies to the top level, allowing your code to access libraries you never explicitly declared in your package.json. This works fine until it doesn’t—usually in production. Heft, particularly when paired with the Rush Stack philosophy using PNPM, enforces strict dependency resolution. If you didn’t list it, you can’t use it.

This might sound like extra work, but it is actually protection. It prevents your application from relying on accidental code. It ensures that your supply chain is clean. It is the digital equivalent of knowing exactly where every bolt and screw in your engine came from.

By embracing the Heft and Rush ecosystem, you are positioning yourself to handle complexity. You are saying, “I am not afraid of scale.” You are building a system that can grow from ten thousand lines of code to a million lines of code without collapsing under its own weight. This is the difference between building a sandcastle and building a fortress. One washes away with the tide; the other stands for centuries.

Conclusion

We have covered a lot of ground, but the takeaway is clear. The tools we choose define the limits of what we can create. If you stick with the default, out-of-the-box, legacy configurations, you will produce default, legacy results. You will be constrained by slow build times, you will be plagued by regression bugs, and you will drown in the complexity of dependency management.

Heft offers a different path. It offers a path of mastery.

We looked at how Heft provides the raw torque necessary to obliterate wait times. By utilizing parallelism and intelligent caching, it respects the value of your time. It keeps you in the flow, allowing you to iterate, experiment, and refine your work at the speed of thought. It’s the high-performance engine your development machine deserves.

We examined the discipline Heft brings to the table. By making testing and linting native, effortless parts of the workflow, it removes the friction of quality assurance. It turns the “chore” of testing into a standard operating procedure. It acts as the guardian of your code, ensuring that every line you commit is clean, consistent, and robust. It demands that you be a better programmer.

And finally, we explored the architectural power of Heft in a scalable environment. We saw how it acts as the cornerstone of a monorepo strategy, enabling you to manage vast ecosystems of code with the precision of a surgeon. Through rigs and strict dependency management, it allows you to govern your codebase with authority, ensuring that as your team grows, your foundation remains solid.

There is a certain grit required to make this switch. It requires you to step out of the comfort zone of “how we’ve always done it.” It requires you to learn new configurations and understand the deeper mechanics of the build chain. But that is what men in this field do. We don’t shy away from complexity; we conquer it. We don’t settle for tools that rust; we forge new ones.

So, here is the challenge: Take a look at your current SPFx project. Look at the gulpfile.js. Look at how long you spend waiting. Ask yourself if this is the best you can do. If the answer is no, then it’s time to pick up Heft. It’s time to stop tinkering and start engineering.

Call to Action

If this post sparked your creativity, don’t just scroll past. Join the community of makers and tinkerers—people turning ideas into reality with 3D printing. Subscribe for more 3D printing guides and projects, drop a comment sharing what you’re printing, or reach out and tell me about your latest project. Let’s build together.

D. Bryan King

Sources

Disclaimer:

The views and opinions expressed in this post are solely those of the author. The information provided is based on personal research, experience, and understanding of the subject matter at the time of writing. Readers should consult relevant experts or authorities for specific guidance related to their unique situations.

#assetCopying #automatedTesting #buildAutomation #buildCaching #buildOptimization #buildOrchestration #codeQuality #codingDiscipline #codingStandards #continuousIntegration #developerProductivity #devopsForSharePoint #enterpriseSoftwareDevelopment #ESLintConfiguration #fastBuildPipelines #fullStackDevelopment #GulpAlternative #HeftBuildSystem #incrementalBuilds #JavaScriptBuildTools #JestTestingSPFx #Microsoft365Development #microsoftEcosystem #modernWebStack #monorepoArchitecture #nodejsBuildPerformance #parallelCompilation #phantomDependencies #PNPMDependencies #programmerProductivity #rigConfiguration #rigorousLinting #rigorousTesting #RushMonorepo #RushStack #sassCompilation #scalableWebDevelopment #SharePointDevelopment #SharePointFramework #sharepointWebParts #softwareArchitecture #softwareCraftsmanship #softwareEngineering #SPFx #SPFxExtensions #SPFxPerformance #SPFxToolchain #staticAnalysis #strictDependencyManagement #taskRunner #TDDInSharePoint #technicalDebt #TypeScriptBuildTool #TypeScriptCompiler #TypeScriptOptimization #webPartDevelopment #webProgramming #webpackOptimization

A high-tech digital engine made of code and gears representing Heft build power, with the text How to Dominate SPFx Builds Using Heft.
Présentations et conférences en lignepresentations@videos.apprendre-delphi.fr
2025-08-14

Faire des serveurs web en Delphi ? C'est possible.

videos.apprendre-delphi.fr/w/a

O Iago :linux: :debian:IGVazquez@vivaldi.net
2025-08-16

Default infinite scroll and bottom of webpage

#Webpage #WebProgramming

HurricaneLeaf on  the ground

Style Smarter: Responsive Design with SCSS

1,328 words, 7 minutes read time.

Software Developer Coder Programmer Programming T-Shirt
Affiliate Link

Responsive web design isn’t just a trendy term—it’s the bedrock of effective digital experiences in a world where screens come in all sizes. Whether it’s a smartwatch, a smartphone, or a wide-screen desktop monitor, users expect seamless, intuitive interfaces that just work. If you’re a developer, especially someone who spends your days elbow-deep in code, you know that this expectation isn’t going anywhere. In fact, it’s only getting more demanding. That’s where mobile-first design paired with SCSS (Sassy CSS) becomes your secret weapon.

This deep dive is tailored for professional developers who want to up their game, master responsive design workflows, and take full advantage of SCSS’s capabilities. You’re not just building pretty sites—you’re crafting experiences that feel right on every device. Let’s explore how.

The Evolution of Responsive Web Design

Back in the day, websites were built for desktop screens only. Fixed-width layouts ruled the web, and if your site didn’t fit on a smaller screen, tough luck. Then came fluid grids, flexible images, and eventually, media queries. Responsive design emerged as the answer to the explosion of mobile device usage, and it quickly became a standard.

But then Google shifted the entire game with mobile-first indexing. Sites are now ranked based on their mobile versions before desktop, and that means mobile-first isn’t a nice-to-have—it’s a must.

Fundamentals of Mobile-First Design

Mobile-first design flips the traditional development approach on its head. Instead of designing for desktop and scaling down, you start with the smallest screens and progressively enhance the experience for larger ones. This mindset encourages content prioritization: what absolutely needs to be seen first? It also leads to better performance since mobile-first codebases tend to be leaner, loading fewer assets upfront.

Progressive enhancement is another core idea here. It ensures your app works well on older or less capable devices and browsers, while still shining on the latest tech. It’s about laying a strong foundation, then layering on advanced features as screen real estate and capabilities grow.

Introduction to SCSS (Sassy CSS)

Let’s talk about SCSS, the powerful CSS preprocessor that gives your stylesheets superpowers. If you’re used to the limitations of vanilla CSS, SCSS feels like upgrading from a screwdriver to a power drill. It brings in features like variables, mixins, functions, partials, and inheritance, all of which let you write cleaner, more modular, and maintainable code.

But most importantly for responsive design, SCSS empowers you to create dynamic, DRY (Don’t Repeat Yourself) code that scales. Rather than duplicating media queries all over the place, you can define them once in a mixin and reuse them anywhere. That’s a game-changer.

SASS Professional Notes
Affiliate Links

Setting Up a Mobile-First Project with SCSS

To start strong, your project structure should reflect scalability. A typical SCSS architecture might include folders like base, components, layout, themes, and utilities, with an index.scss file that imports everything cleanly. This keeps your codebase clean and organized.

When writing styles, define your base (mobile) styles first. Think of them as the default. Then, use min-width media queries to layer on styles for tablets, desktops, and beyond. This cascading effect fits perfectly with how CSS itself works, allowing for logical overrides and enhancements.

Naming conventions matter too. Whether you use BEM (Block Element Modifier) or SMACSS, consistent naming improves readability and collaboration—especially when you’re working in a team or on a large codebase.

Using SCSS to Manage Responsive Breakpoints Like a Pro

One of the most powerful things about SCSS is how it lets you streamline breakpoint management. Instead of writing clunky media queries like:

@media (min-width: 768px) {  .container {    width: 90%;  }}

You can write a simple mixin:

@mixin respond($breakpoint) {  @if $breakpoint == tablet {    @media (min-width: 768px) { @content; }  } @else if $breakpoint == desktop {    @media (min-width: 1024px) { @content; }  }}

And use it like this:

.container {  width: 100%;  @include respond(tablet) {    width: 90%;  }}

This approach keeps your code DRY and centralized. It also gives you full control to tweak breakpoints project-wide with just a few changes in one place.

Responsive Layout Techniques with SCSS

Now that you have breakpoint control, let’s talk layout. Combining SCSS with modern layout systems like Flexbox and CSS Grid lets you build robust responsive structures fast. A responsive card layout, for instance, can start as a single-column stack on mobile and evolve into a multi-column grid on desktop—all with a few strategic SCSS media queries and mixins.

For example:

.card-grid {  display: flex;  flex-direction: column;  gap: 1rem;  @include respond(tablet) {    flex-direction: row;    flex-wrap: wrap;  }}

This kind of control makes your layouts flexible and easy to adjust later on, without having to refactor your entire stylesheet.

Building Responsive Components

Responsive design isn’t just about layout. Every component—from buttons to navbars to modals—should adapt to the screen it lives on. With SCSS, you can write modular component styles using partials. This encourages reusability and isolates changes.

Let’s say you’re building a responsive navigation bar. You might create _navbar.scss with base styles, and conditionally apply layout changes via your breakpoint mixin. Your nav items can stack vertically on mobile and switch to horizontal alignment on desktop, all without duplicating code.

Performance Optimization Tips for SCSS-based Responsive Apps

SCSS can grow heavy if mismanaged. One key strategy is to use partials and import only what you need. If you’re using a bundler like Webpack or Vite, you can combine this with PurgeCSS to strip out unused styles before deployment. Also, avoid deeply nested selectors—they may be tempting but can cause specificity headaches.

Use SCSS functions for repeated logic, like calculating margins or spacing based on a scale. Automating spacing with functions keeps your design consistent and avoids hard-coded values sprinkled everywhere.

Real-World Workflow: SCSS + Responsive Design

In a real project, you’ll likely be using SCSS with a JavaScript framework like React or Vue. Tools like Vite, Webpack, or Gulp help automate the build process, watch for changes, and compile your SCSS into compressed CSS.

A great workflow involves a main.scss file that imports partials from folders like /components, /layouts, and /utilities. From there, use logical nesting, maintain a consistent naming convention, and rely on your mixins to manage breakpoints. Your team will thank you later.

Common Pitfalls and How to Avoid Them

One mistake devs make is overusing media queries. You don’t need to write a media query for every 100px width difference. Choose breakpoints based on your content, not arbitrary screen sizes.

Another trap is ignoring the mobile experience until the end. With mobile-first, your baseline is mobile. This not only improves performance but also prevents layout surprises later on.

Lastly, if you’re not organizing your SCSS with scalability in mind, technical debt will sneak up on you. Use folders, partials, and naming conventions religiously.

Conclusion

Responsive design isn’t going anywhere. And with SCSS in your toolkit, you’re not just adapting to the demands of multiple screen sizes—you’re thriving. The mobile-first approach forces you to think smart, optimize early, and prioritize what really matters. SCSS gives you the flexibility and control to implement that vision without friction.

If you’re building anything on the web in 2025, SCSS and mobile-first design are the duo you need to master.

Want more expert tips and pro-level guides like this? Subscribe to our newsletter and stay ahead of the curve in modern web development.

D. Bryan King

Sources

Disclaimer:

The views and opinions expressed in this post are solely those of the author. The information provided is based on personal research, experience, and understanding of the subject matter at the time of writing. Readers should consult relevant experts or authorities for specific guidance related to their unique situations.

Related Posts

#advancedScss #breakpointsInScss #buildingMobileFirst #cssArchitecture #cssComponents #CSSForDevelopers #cssForProgrammers #cssGrid #cssPerformance #cssPreprocessors #cssResponsiveness #cssSystems #cssWorkflow #devToolsCss #developerGuide #efficientScss #flexbox #frontEndDevelopment #frontendPerformance #frontendTips #googleResponsiveDesign #layoutOptimization #mediaQueries #mobileOptimization #mobileFirstApproach #mobileFirstDesign #mobileFirstIndex #mobileFirstWorkflow #modernCss #modernWebDesign #organizeScss #performanceScss #professionalWebDevelopment #progressiveEnhancement #responsiveBreakpoints #responsiveCoding #responsiveDesign #responsiveFrameworks #responsiveLayout #responsiveScss #responsiveUiDesign #responsiveWebApps #responsiveWebDesign #sassCss #scalableCss #SCSS #scssBestPractices #scssGuide #scssLayout #scssMixins #scssMixinsExamples #scssMobile #scssMobileFirst #scssResponsive #scssTips #scssTutorial #scssVsCss #WebDevelopment #webProgramming

esponsive Design Showcase
WenAstarWenAstar
2025-03-25


I have an antique Android phone without biometrics, just a deprecated fingerprint reader. I have a Mac, Android Studio and XCode.
I need to test a modern PWA on Ionic/Capacitor for correct biometric login handling, and I am running against a wall.
Could anyone wise please point me in the right direction on where to read up?

2025-03-20

Does anyone on fedi know an easy way to have an article with two separate translations on a webpage?

i.e. i have an article in one language, and i can click a button to change the text to another (prewritten) translation.

#webdev #html #css #websites #webprogramming #neocities

2025-03-17

PSA to my fellow 🤓 #nerds who like #programming in @ruby and/or #webprogramming who would also like to visit ⚛️ CERN in 🇨🇭 #geneva — the place where @timbl invented the 🌐 #web.

If you need a reason to visit #cern, maybe also for the #largehadroncollider, then this might be it.

ruby.social/@helvetic_ruby/114

And keep in mind that @helvetic_ruby is switching places each year. So if you'd like to have this combo then 2025 is the year for you.

#rubylang #ruby #RubyProgramming #lhr #webdev #webdevelopment

2025-03-11

Discovered this on Fall through podcast. It's awesome http.cat/

Waseemiamwaseem
2024-08-29

Two highly skilled web developers, indeed

2024-07-20

Execution Context in JavaScript - Filippo Rivolta - FrontEnd Developer

A #BestPractice article about the concept of execution contexts in #JavaScript, covering:
➡️the global execution context
➡️the function execution context
➡️the eval execution context
➡️the execution stack
➡️the phases of execution context
➡️practical applications in web development,

#ExecutionContext #WebDevelopment #OptimizationTips #BestPractices #WebProgramming

filipporivolta.com/mastering-j

2024-07-04

384,000 sites pull code from sketchy code library recently bought by Chinese firm | @dangoodin

A supply-chain attack on Polyfill.io, a #JavaScript library, redirected users to malicious sites. So far, bootcss.com is the only domain showing any signs of potential malice. The nature of the other associated endpoints remains unknown

#CyberSecurity #SupplyChainAttack #WebDevelopment #WebProgramming #WebSecurity #Polyfill #PolyfillIO

arstechnica.com/security/2024/

2024-06-09

htmx: Simplicity in an Age of Complicated Solutions

The article discusses the complexity in web development, highlighting that there is no “silver bullet” or single technology that can address all problems. It advocates for the use of #htmx, a #JavaScript library that enhances #HTML to simplify front-end development by focusing on hypermedia and reducing reliance on JavaScript.

#WebDevelopment #FrontendDevelopment #WebProgramming
erikheemskerk.nl/htmx-simplici

2024-04-23

Does anyone who knows how #bluesky works know how their #federation is going to work? I'm adding Bluesky support to my #website and I want to be ready.

#webdev #webprogramming #federated #fediverse #socialmedia #socialnetwork

A child is in the middle of picking his nose. To the side is an edited Bluesky post with its letters blocked out, to read:

"pick it" yes. i will pick it. nose full of cement
2024-02-02

"Developer Life Hacks and Reliable Software Made Easy" over on YouTube with The Pure State
youtube.com/watch?v=F508wQu7ET

#fsharp #easy #lifehacks #webprogramming

2024-01-23

Ocsigen: Developing Web and mobile applications in OCaml – Jérôme Vouillon & Vincent Balat

watch.ocaml.org/w/qQzb94X9WM7z

I was programming in #Perl last night, and it made me miss working with it. So many things have changed since I was a professional web programmer, but text manipulation is still the basis of so much of it.

#webProgramming
2023-08-23

Just realized I never cleaned this tool up enough for general public use. pelicanizer.com/newsites/anima

It's a tool I made for producing #animations of #anagrams that I make from #news headlines. It's usable, but I could make it a lot better than it is right now.

#javascript #html #css #webprogramming #webdev #anagram #animation

Client Info

Server: https://mastodon.social
Version: 2025.07
Repository: https://github.com/cyevgeniy/lmst