Connect with us

WORDPRESS

Making 43% of the Web More Dynamic with the WordPress Interactivity API – WordPress.com News

Published

on

Making 43% of the Web More Dynamic with the WordPress Interactivity API – WordPress.com News

Creating rich, engaging, and interactive website experiences is a simple way to surprise, delight, and attract attention from website readers and users. Dynamic interactivity like instant search, form handling, and client-side “app-like” navigation where elements can persist across routes, all without a full page reload, can make the web a more efficient and interesting place for all.

But creating those experiences on WordPress hasn’t always been the easiest or most straightforward, often requiring complex JavaScript framework setup and maintenance. 

Now, with the Interactivity API, WordPress developers have a standardized way for doing that, all built directly into core. 

The Interactivity API started as an experimental plugin in early 2022, became an official proposal in March 2023, and was finally merged into WordPress core with the release of WordPress 6.5 on April 2, 2024. It provides an easier, standardized way for WordPress developers to create rich, interactive user experiences with their blocks on the front-end.

ELI5: The Interactivity API and the Image Block

Several core WordPress blocks, including the Query Loop, Image, and Search blocks, have already adopted the Interactivity API. The Image block, in particular, is a great way to show off the Interactivity API in action. 

At its core, the Image blocks allow you to add an image to a post or page. When a user clicks on an image in a post or page, the Interactivity API launches a lightbox showing a high-resolution version of the image.

The rendering of the Image block is handled server-side. The client-side interactivity, handling resizing and opening the lightbox, is now done with the new API that comes bundled with WordPress. You can bind the client-side interactivity simply by adding the wp-on--click directive to the image element, referencing the showLightbox action in view.js.

You might say, “But I could easily do this with some JavaScript!” With the Interactivity API, the code is compact and declarative, and you get the context (local state) to handle the lightbox, resizing, side effects, and all of the other needed work here in the store object.

actions: {
			showLightbox() {
				const ctx = getContext();

				// Bails out if the image has not loaded yet.
				if ( ! ctx.imageRef?.complete ) {
					return;
				}

				// Stores the positons of the scroll to fix it until the overlay is
				// closed.
				state.scrollTopReset = document.documentElement.scrollTop;
				state.scrollLeftReset = document.documentElement.scrollLeft;

				// Moves the information of the expaned image to the state.
				ctx.currentSrc = ctx.imageRef.currentSrc;
				imageRef = ctx.imageRef;
				buttonRef = ctx.buttonRef;
				state.currentImage = ctx;
				state.overlayEnabled = true;

				// Computes the styles of the overlay for the animation.
				callbacks.setOverlayStyles();
			},
...

The lower-level implementation details, like keeping the server and client side in sync, just work; developers no longer need to account for them.

This functionality is possible using vanilla JavaScript, by selecting the element via a query selector, reading data attributes, and manipulating the DOM. But it’s far less elegant, and up until now, there hasn’t been a standardized way in WordPress of handling interactive events like these.

With the Interactivity API, developers have a predictable way to provide interactivity to users on the front-end. You don’t have to worry about lower-level code for adding interactivity; it’s there in WordPress for you to start using today. Batteries are included.

How is the Interactivity API different from Alpine, React, or Vue?

Prior to merging the Interactivity API into WordPress core, developers would typically reach for a JavaScript framework to add dynamic features to the user-facing parts of their websites. This approach worked just fine, so why was there a need to standardize it?

At its core, the Interactivity API is a lightweight JavaScript library that standardizes the way developers can build interactive HTML elements on WordPress sites.

Mario Santos, a developer on the WordPress core team, wrote in the Interactivity API proposal that, “With a standard, WordPress can absorb the maximum amount of complexity from the developer because it will handle most of what’s needed to create an interactive block.”

The team saw that the gap between what’s possible and what’s practical grew as sites became more complex. The more complex a user experience developers wanted to build, the more blocks needed to interact with each other, and the more difficult it became to build and maintain sites. Developers would spend a lot of time making sure that the client-side and server-side code played nicely together.

For a large open-source project with several contributors, having an agreed-upon standard and native way of providing client-side interactivity speeds up development and greatly improves the developer experience.

Five goals shaped the core development team’s decisions as they built the API: 

  1. Block-first and PHP-first: Prioritizing blocks for building sites and server side rendering for better SEO and performance. Combining the best for user and developer experience.
  2. Backward-compatible: Ensuring compatibility with both classic and block themes and optionally with other JavaScript frameworks, though it’s advised to use the API as the primary method. It also works with hooks and internationalization.
  3. Declarative and reactive: Using declarative code to define interactions, listening for changes in data, and updating only relevant parts of the DOM accordingly.
  4. Performant: Optimizing runtime performance to deliver a fast and lightweight user experience.
  5. Send less JavaScript: Reduce the overall amount of JavaScript being sent on the page by providing a common framework that blocks can reuse.  So the more that blocks leverage the Interactivity API, the less JavaScript will be sent overall.

Other goals are on the horizon, including improvements to client-side navigation, as you can see in this PR.

Interactivity API vs. Alpine

The Interactivity API shares a few similarities to Alpine—a lightweight JavaScript library that allows developers to build interactions into their web projects, often used in WordPress and Laravel projects.

Similar to Alpine, the Interactivity API uses directives directly in HTML and both play nicely with PHP. Unlike Alpine, the Interactivity API is designed to seamlessly integrate with WordPress and support server-side rendering of its directives.

With the interactivity API, you can easily generate the view from the server in PHP, and then add client-side interactivity. This results in less duplication, and its support in WordPress core will lead to less architectural decisions currently required by developers. 

So while Alpine and the Interactivity API share a broadly similar goal—making it easy for web developers to add interactive elements to a webpage—the Interactivity API is even more plug-and-play for WordPress developers.

Interactivity API vs. React and Vue

Many developers have opted for React when adding interactivity to WordPress sites because, in the modern web development stack, React is the go-to solution for declaratively handling DOM interactivity. This is familiar territory, and we’re used to using React and JSX when adding custom blocks for Gutenberg.

Loading React on the client side can be done, but it leaves you with many decisions: “How should I handle routing? How do I work with the context between PHP and React? What about server-side rendering?”

Part of the goal in developing the Interactivity API was the need to write as little as little JavaScript as possible, leaving the heavy lifting to PHP, and only shipping JavaScript when necessary.

The core team also saw issues with how these frameworks worked in conjunction with WordPress. Developers can use JavaScript frameworks like React and Vue to render a block on the front-end that they server-rendered in PHP, for example, but this requires logic duplication and risks exposure to issues with WordPress hooks.

For these reasons, among others, the core team preferred Preact—a smaller UI framework that requires less JavaScript to download and execute without sacrificing performance. Think of it like React with fewer calories.

Luis Herranz, a WordPress Core contributor from Automattic, outlines more details on Alpine vs the Interactivity API’s usage of Preact with a thin layer of directives on top of it in this comment on the original proposal.

Preact only loads if the page source contains an interactive block, meaning it is not loaded until it’s needed, aligning with the idea of shipping as little JavaScript as possible (and shipping no JavaScript as a default).

In the original Interactivity API proposal, you can see the run-down and comparison of several frameworks and why Preact was chosen over the others.

What does the new Interactivity API provide to WordPress developers?

In addition to providing a standardized way to render interactive elements client-side, the Interactivity API also provides developers with directives and a more straightforward way of creating a store object to handle state, side effects, and actions.

Graphic from Proposal: The Interactivity API – A better developer experience in building interactive blocks on WordPress.org

Directives

Directives, a special set of data attributes, allow you to extend HTML markup. You can share data between the server-side-rendered blocks and the client-side, bind values, add click events, and much more. The Interactivity API reference lists all the available directives.

These directives are typically added in the block’s render.php file, and they support all of the WordPress APIs, including actions, filters, and core translation APIs. 

Here’s the render file of a sample block. Notice the click event (data-wp-on--click="actions.toggle"), and how we bind the value of the aria-expanded attributes via directives.

<div
	<?php echo get_block_wrapper_attributes(); ?>
	data-wp-interactive="create-block"
	<?php echo wp_interactivity_data_wp_context( array( 'isOpen' => false ) ); ?>
	data-wp-watch="callbacks.logIsOpen"
>
	<button
		data-wp-on--click="actions.toggle"
		data-wp-bind--aria-expanded="context.isOpen"
		aria-controls="<?php echo esc_attr( $unique_id ); ?>"
	>
		<?php esc_html_e( 'Toggle', 'my-interactive-block' ); ?>
	</button>

	<p
		id="<?php echo esc_attr( $unique_id ); ?>"
		data-wp-bind--hidden="!context.isOpen"
	>
		<?php
			esc_html_e( 'My Interactive Block - hello from an interactive block!', 'my-interactive-block' );
		?>
	</p>
</div>

Do you need to dynamically update an element’s inner text? The Interactivity API allows you to use data-wp-text on an element, just like you can use v-text in Vue.

You can bind a value to a boolean or string using wp-bind– or hook up a click event by using data-wp-on–click on the element. This means you can write PHP and HTML and sprinkle in directives to add interactivity in a declarative way.

Handling state, side effects, and actions

The second stage of adding interactivity is to create a store, which is usually done in your view.js file. In the store, you’ll have access to the same context as in your render.php file.

In the store object, you define actions responding to user interactions. These actions can update the local context or global state, which then re-renders and updates the connected HTML element. You can also define side effects/callbacks, which are similar to actions, but they respond to state changes instead of direct user actions.

import { store, getContext } from '@wordpress/interactivity';

store( 'create-block', {
	actions: {
		toggle: () => {
			const context = getContext();
			context.isOpen = ! context.isOpen;
		},
	},
	callbacks: {
		logIsOpen: () => {
			const { isOpen } = getContext();
			// Log the value of `isOpen` each time it changes.
			console.log( `Is open: ${ isOpen }` );
		},
	},
} );

Try it out for yourself

The Interactivity API is production-ready and already running on WordPress.com! With any WordPress.com plan, you’ll have access to the core blocks built on top of the Interactivity API. 

If you want to build your own interactive blocks, you can scaffold an interactive block by running the below code in your terminal:

npx @wordpress/create-block@latest my-interactive-block --template @wordpress/create-block-interactive-template 

This will give you an example interactive block, with directives and state handling set up. 

You can then play around with this locally, using wp-env, using a staging site, or by uploading the plugin directly to your site running a plugin-eligible WordPress.com plan

If you want a seamless experience between your local dev setup and your WordPress.com site, try using it with our new GitHub Deployments feature! Developing custom blocks is the perfect use case for this new tool.

The best way to learn something new is to start building. To kick things off, you may find the following resources a good starting point:


Join 106.9M other subscribers

Source link

Keep an eye on what we are doing
Be the first to get latest updates and exclusive content straight to your email inbox.
We promise not to spam you. You can unsubscribe at any time.
Invalid email address

WORDPRESS

5 Most Profitable Online Businesses You Can Start Today for Free!

Published

on

By

5 Most Profitable Online Businesses You Can Start Today for Free!

In today’s digitalized world, starting a business doesn’t always mean you have to have a good chunk of money and years of experience in the field. Yeah, it’s good if you have them, but even without them, you can start a business and make money. Not just a few hundred dollars; some businesses can even make you a millionaire if you invest your time and available resources into them. 

You need to have the right approach and the proper set of skills to make that happen. And you can learn such skills for free on the internet. So, all you need is the willingness to put in the work and effort it needs. 

In this post, you’ll see 5 most profitable online business ideas that you can start today for free. You don’t need anyone to help you with these businesses when you’re starting out; you can do it all alone, and you can manage these businesses from the comfort of your home. 

Even if you don’t know a single thing about these businesses, you can learn them for free on YouTube, Udemy, and the Interent. There’s more than enough free resources out there about these topics to take you from 0-10 real quick. 

So, sit down and grab your popcorns, because this article might be the only thing you need to launch your first online business, today itself!

Please note: This post contains affiliate links to products I use, trust, and recommend. If you choose to purchase a helpful product using these links, I may receive a small commission for referring you – at no extra cost to you. These funds help me keep this blog up and running.

1. Affiliate Marketing

Affiliate marketing is one of the most profitable and easy-to-start businesses out there. In affiliate marketing, you need to promote someone else’s product in order to make money. The person who promotes the product in exchange for some commission is called an affiliate

When you sign up to be an affiliate of any program, you’ll get a unique link to promote the products called an affiliate link. You need to use your affiliate link to send customers to the seller’s page. That link tracks the amount of sales you generate to determine the money you make. 

You don’t need to create, package, or ship the products yourself. The seller who is selling the product will do these all. All you need to do is, refer customers to the seller. And when the customer referred by you through your affiliate link makes a purchase, you get a small percentage of the sale amount as a reward. That’s it. That’s what affiliate marketing is! 

Through affiliate marketing, you can promote both physical and digital products. 

You don’t always have to sell products to earn affiliate commission. Sometimes, you get commission to make people download something. That can be an app, software, or browser extension. Sometimes, you get commissions to make people sign up for particular websites or services. Sometimes, you get commission to generate leads for businesses and agencies, etc. All these things need to be done through your affiliate link in order for you to make a commission.

how affiliate marketing works

How to Get Started?

1. Choose your Niche

You need to choose a niche to start affiliate marketing. You can’t promote everything from workout gear to making money online courses yourself! So, choosing a niche is very important to succeed in affiliate marketing. Some popular niches for affiliate marketing are: health & fitness, finance, home & kitchen, technology, relationships, etc. 

2. Find the Product

After choosing a niche, you need to find a product to promote. If you decide to get into the health and fitness niche, then you can promote workout plans, weight loss supplements, keto meal plans, hair loss products, and so much more. So, decide what you want to promote and find a good product for it. 

3. Build a Platform

Now, you’ve decided your niche, and your product is ready to promote, so all you need is a platform to promote it. You can promote affiliate products either through a blog or through social media. You can write articles on your blog or grow your social media accounts to share your affiliate links. 

Here are some popular affiliate marketing platforms you can join. 

The affiliate marketing industry is worth nearly $17 billion. So, you can start your affiliate marketing journey today to get a small chunk of that seventeen billion dollars for yourself!

2. Selling Digital Products

Selling digital products is another great way to make a hefty amount of money online. Digital products are a great way to share your knowledge and creativity with the world while making some money. 

Digital products are products that are created and sold online. They don’t exist in the real world, except for printables. Printables are graphics that are created digitally but needs to be printed out in the real world to be used. 

From ebooks to online courses and printables to music, there’s a wide variety of products that you can create and sell. 

Here are some digital products that you can create and sell easily. 

If you’re wondering which digital product sells the best and which one you should sell, consider this analysis done among 96,000 creators by influencers.club. According to the analysis, online courses were the most sold digital products, with 35.7% of the entire digital products sold, followed by ebooks (7.3%) and cookbooks (3.8%)

Here are a few more: 

Check out 16 Best Digital Products to Sell in 2024

How to Get Started?

1. Choose Your Niche

The first step to building a profitable digital product business is to choose a niche that you’re interested in and have a demand in the market. You can select a niche based on your expertise, passion or to profit from an untapped market opportunity. Make sure that there are enough people willing to pay for your products so that you can make a good amount of money selling them.

2. Create Your Product

After choosing a niche to get into, you need to create a solid product to sell. In order to get constant sales, your product needs to be highly valuable. Either it needs to solve your customer’s problem or it needs to add significant value to their life. Make sure that your product is up-to-date, functional, and user-friendly. 

3. Set up a Platform to Sell

Now that you have decided your niche and your product is ready to sell, all you need is a platform to host and sell your products. You can either sell digital products through your own website or through platforms like Etsy, Gumroad, Teachable, etc.

You can sell ebooks, printables, planners, digital arts, wallpapers, templates, etc. through Etsy and Gumroad. And to sell online courses, you can use platforms like Teachable or Udemy. 

You can use graphic design tools like Canva and Adobe Illustrator to create printables, stickers, templates, wallpapers, etc. And you can write your ebook on Google Docs or Notepad and save it as a pdf to sell it. 

4. Price Your Products

After your product is ready and you’ve decided a platform to sell, you need to set a price to sell your products.

Pricing is a really crucial part. You can’t price it too high or too low. If you price it too high, very few people are likely to buy it, and if you price it too low, you won’t make enough profit.

So, while pricing your product, evaluate the product yourself and do your market research to analyze your competitors pricing to determine your own product’s pricing. 

You can promote your digital products by creating video/image content, writing blog posts, email marketing, paid ads, SEO, and through social media marketing. 

Digital products can be a great way to make money online passively without needing much work and attention. So, this might be something you would love to get into! The best part is, there is no limit on how much money you can make. Ana from TheSheApproach has made over $55,000 selling ebooks alone through her small blog.

3. Print on Demand

Print on Demand, or POD, is gaining immense popularity in recent times due to its business model. Print on demand business has less to no startup cost, which makes it easier for anyone to get into it.

In Print on Demand business, you create designs to print on mugs, t-shirts, hoodies, caps, pants, etc. After your design is ready, you find a print-on-demand supplier to print and sell your products. 

Unlike other type of businesses, in POD, the products are not produced first and listed for sale later. Instead, the products are promoted first and only produced or printed when a customer places an order. 

In POD, your job is to create designs and market your products. Your POD supplier will do everything else, from printing, packaging, and delivering the product. They will even handle the returns if they have to. 

How to Get Started?

1. Choose a Niche

First of all, choose a niche you want to start your business in. Choose a niche that has huge demand in the market and something you’re interested in. For example, if you’re interested in sports, you can create designs related to sports, print them, and sell them. 

2. Create Your Designs

After you’ve chosen your niche, you need to create designs to print on products. Good designs attract more eyeballs and generate more sales compared to plain, low-quality designs. So, put your maximum effort into creating good designs. Your designs might be the only differentiator between success and failure of your POD business. 

3. Choose a Print on Demand Supplier

After your design is ready, you need to find a good and trustworthy POD supplier to print and supply your products. Choose a supplier that uses high-quality materials to create products, has less fees, low shipping time, good customer support, and large area coverage. These things are crucial for your business’s success. 

Here are some popular print-on-demand suppliers: 

4. Set up Your Store

Now that your product is ready to sell, you need to find a platform to sell it. You can sell your POD products on Etsy, WooCommerce, or eBay, or setup a Shopify store to sell them. Your store must be clean and colorful to convert more visitors into customers. 

5. Price Your Products

After your store is setup, you need to price your product. Make sure to check your competitors prices before pricing your own products. You can’t sell your products for significantly more than what your competitor is selling for. If you do so, you won’t get as many sales as you would have with a lower price point. 

You can market your Print on Demand products mainly through social media and paid ads. You can start and grow a social media account to promote your POD products for free. 

The print-on-demand market is worth more than $7.24B in 2024 and is projected to reach $43.4B by 2030 with a growth rate of staggering 26.8%. So, this might be the chance to dip your toes into the world of ecommerce with print on demand.

4. Dropshipping

Dropshipping is one of the hottest and most popular online business right now. It has made thousands of teenagers and 20-year-olds millionaires, and its craze is not going down anytime soon. 

Dropshipping is a business model where you find a product, advertise it, and generate sales, but someone else produces, packages, and ships them for you.

You buy products for less price from retailers or even manufacturers and sell them for a higher price through your own store. For example, if I find a cool watch on Alibaba.com that I can buy for $7 a piece, then I will create my own store to advertise that product and sell it for $20, $30, or even more. That is how you make money with dropshipping. 

In dropshipping, you don’t have to worry about producing product, packaging, shipping, or keeping a product inventory because whenever an order comes in, you forward that order and customer’s details to your supplier, and then your supplier will produce, package, and deliver the product to your customer. There are several tools and softwares to automate this entire process. Here you’re basically a middleman reselling the products. 

How to Get Started?

1. Find a Product

To start a dropshipping business, first you need to find a product that solves a specific problem of your customers. Sometimes the product can be a fashionable or decorative item like a watch. The product has to have a high potential to sell. In the world of dropshipping, a product that solves a problem and has a high potential to sell is called a winning product.

2. Find a Supplier

After finding a good product to sell, you need to find a supplier who can supply you the same product for a cheaper price. A supplier can be the making or breaking point of your business because your job is to promote the product and bring customers. Everything except that is done by your supplier, so if you find a good supplier, you won’t have or have very few problems in your business, and vice versa.

So, before choosing your supplier, check their product quality, delivery time, packaging style, and customer service. A good supplier must have high-quality products, low delivery time, good packaging quality, and good customer support. 

AliExpress is the go-to platform to find suppliers and products at a cheaper price, for dropshipping.

3. Build Your Store

After you’ve found a good product and a reliable supplier, you need to build a store to market your products. You can create your store on platforms like WooCommerce, Shopify, GetResponse, and Wix or sell them directly on Amazon or eBay. The design of your store must be clean, simple, and colorful to get more sales. 

4. Market Your Store

After your store is setup and ready to sell, you need to advertise it, to bring customers to it. To advertise your store, you can use social media, paid ads, content marketing, SEO, and more.

Most dropshippers advertise their store through either Facebook or TikTok ads and through content marketing by creating viral pieces of content for TikTok, Instagram reels, and YouTube shorts. 

That’s it! That’s how you can start your own dropshipping business and profit from the $250B dropshipping industry.

5. Dropservicing

Now you know what dropshipping is, but have you ever heard about dropservicing? Huh? Dropshipping deals with selling physical products, but dropservicing is all about selling services. 

Dropservicing, also known as service arbitrage, is a business model where you sell services to clients. But instead of doing the work yourself, you outsource the work to a third-party service provider, either a freelancer or an agency. In dropservicing, you’re basically a middleman, just like in dropshipping, who acts as a service seller in front of clients to make money without doing any work yourself. 

Whatever remains after paying your service provider from the amount your client paid is your profit. For example, if you find a client who is ready to pay you $1000 to edit a video for him. Then you find a freelancer or a video editing agency who can edit the same video for $400, then you can keep the remaining $600 with yourself. The more you charge your client and the less you pay your service provider, the more money you make. Didn’t understand? Read it again, you’ll get it! 

How to Get Started?

1. Choose a Niche

To start a dropservicing business, you must be good at some kind of skill or a particular niche. That can be web designing, video editing, graphic designing, content writing, etc. Even though you’re not the one doing the work, you need to have proper knowledge and skill in the field to convince your client that you’re capable enough and a perfect fit for the work. 

2. Find Your Service Provider

After you’ve decided your niche, you need a service provider to do the required tasks for you. While choosing a service provider, you need to make sure that they are good at what they do; otherwise, you’ll end up with a low-quality output that may not satisfy your clients and may not fulfill their requirements. You can find service providers on platforms like Fiverr, Upwork, Freelancer, etc., or on social media platforms like Facebook and LinkedIn. 

3. Setup a Platform

After you’ve decided your niche and found the service providers, you need to market your services in order to get clients. To do so, either you can create your own website, create a profile on freelancing platforms, or promote your services through social media. 

While setting up a platform, you need to add your portfolio, past works, pricing, client testimonials, and contact information. Don’t worry if you don’t have any of these! You can add your service provider’s portfolio and client testimonials as yours while setting up your platform. 

4. Set Your Prices

Before you launch your dropservicing business, you need to set a price for your services. While setting up pricing your services, find out how much your service provider is charging for the service you’re going to sell, and set your prices accordingly. For example, if your service provider charges $400 to edit a video, you can set your video editing price at $600, $700, or more. 

You can promote your dropservicing business through content marketing, SEO, social media marketing, cold outreach, paid advertising, and freelance platforms. 

Cold outreach is a process where you reach out to or contact someone via email who doesn’t have any connection with your business. The email is meant to aware them about your product or service and provide them with an offer.

Best Platforms to Start Your Business

If you’re thinking of starting a blog to get into affiliate marketing, then I would highly suggest you create your blog on either Wix or WordPress. These two are the best blog builders out there. 

And if you’d like to create your own website to promote your digital products, dropshipping/dropservicing business, and print-on-demand products, then I would suggest you use GetResponse’s simple drag-and-drop website builder. It’s very easy to use and completely free to create and manage a website for lifetime. Getresponse also has its own email marketing tool, so, if you want, you can even start email marketing with it for completely free!

Get your business online with free website builder (en)

Tips to succeed:

1. Stay Consistent: You won’t see results overnight, so you need to be consistent to get results and make money. 

2. Learn, Learn, Learn: Whatever business you get into, learn about it as much as you can. Learning will help you gather more knowledge about the topic, which ultimately helps you to get better results and earn more. 

3. Be Patient: Many people give up too early because they are really, really impatient. Remember, great things take time, and if it were so easy and fast, then everyone would have done it. 

4. Provide Value: If you want to make money, then you need to provide something that is equally valuable to your customers. So, make sure your main motive is to provide value along with making money. 

So, these were the 5 most profitable online business ideas that you can start today for free. Let me quickly recap them for you. 1. Affiliate marketing 2. Selling digital products 3. Print on Demand (POD) 4. Dropshipping 5. Dropservicing. Make sure to give them a try if you’re thinking of starting an online business. And tell me in the comments, which one of these businesses would you start if you have to?

Source link

Keep an eye on what we are doing
Be the first to get latest updates and exclusive content straight to your email inbox.
We promise not to spam you. You can unsubscribe at any time.
Invalid email address
Continue Reading

WORDPRESS

The WordPress Saga: Does Matt Mullenweg Want a Fork or Not?

Published

on

By

The WordPress Saga: Does Matt Mullenweg Want a Fork or Not?

A CEO is no longer expected to talk candidly about open source. Maybe business leaders have never expected open source to be anything but serve their business interests. Not every CEO takes advantage of open source to the degree we have seen in recent months. But no one is free of blame. Open source means different things to different people, and everyone uses it for their own purposes.

The colloquial use of open source gives companies like Meta the opportunity to use open source as they wish. Even high-ranking people in the open source community discount the problem. They say it’s OK. Open source is still moving forward. The kids don’t care — all they want to do is build models.

There is no playbook or good versus evil here. Many thoughtful people want to find a way to solve the mess we’ve seen surface in the WordPress saga of the past few weeks.

To recap, for those who haven’t been sufficiently online the past few days: Matt Mullenweg, co-creator of WordPress, the popular open source content management system, has been accusing WP Engine, a WordPress hosting provider, of violating WordPress’ trademarks and using its servers without compensation. The two organizations’ lawyers have exchanged cease-and-desist letters (more on those later). At the stroke of midnight UTC on Tuesday, WordPress blocked WP Engine’s access to its servers.

As this episode unravels, a fresh flow of ideas about open source has emerged. At least one CEO has established an important approach to solving issues like those we see with WordPress and WP Engine.

In a thoughtful post on his personal blog, Dries Buytaer, creator of Drupal, described the issue today as a makers-takers problem, where “creators of open source software (“Makers”) see their work being used by others, often service providers, who profit from it without contributing back in a meaningful or fair way (“Takers”).”

CEOs are on both sides of the perspective he details. He knows the people involved and has a solution that makes sense for the Drupal community. He calls it a “contributor credit” program.

Buytaer comes from the same world as Mullenweg. Drupal and WordPress are open source content management systems.

Still, open source is a tool for CEOs to use for profits, sometimes illusions, and leverage against commercial competitors. We’ve seen this with Meta CEO Mark Zuckerberg, who calls Llama, the company’s large language model, open source, which it is not.

And now we face someone who has long enjoyed a gleaming image in the open source community but now faces many questions about his intent.

Mullenweg: WP Engine Should Fork WordPress

Earlier in the week, we interviewed Mullenweg, who said WP Engine should fork WordPress.

“I think a fork would be amazing,” he told TNS. “They should fork WordPress, because what they offer is not actually WordPress. They call it WordPress, but they really screw it up.”

Mullenweg now wants to own a chunk of WP Engine, and he’s using his bully pulpit to pound away until he gets what he wants. He’s called WP Engine “a cancer.” He openly rails about the WP Engine executive team and Silver Lake, the private equity firm that has invested in it, using tactics we’ve become far too accustomed to from all sorts, who we don’t have to name here.

It’s a victim tactic. Mullenweg and Automattic, his holding company, talk like they are the victims of an evil plan, rooted in trademark violations. Following the victim’s logic, Mullenweg has to attack. He and his team have to block WP Engine from the WordPress servers.

Now comes the news from The Verge that WordPress demanded 8% of WP Engine revenues each month in exchange for being considered a contributor to the WordPress open source project. That would also mean WP Engine could not fork WordPress, but it would allow WP Engine to use the trademark.

The Verge:

“[C]hoosing to contribute 8 percent to WP Engine employees would give WordPress.org and Automattic ‘full audit rights’ and “access to employee records and time-tracking” at the company. The agreement also comes with a ban on ‘forking or modifying’ Automattic’s software, including plug-ins and extensions like WooCommerce.”

This raises questions about Mullenweg’s hearty support for a WP Engine fork. For perspective, WP Engine competes with Automattic. Just be clear on that one.

Mullenweg has made it confusing for almost everyone involved. There are huge supporters who want WordPress to survive, and there are end users who don’t have any clue about open source or even that their sites run on WordPress servers.

WP Engine, on the other hand, has its own issues. It does not give much in return for using WordPress. The company, under CEO Heather Brunner and founder Jason Cohen, uses the WordPress name. They call it fair use.

Further, WP Engine uses the work invested by the WordPress community into the service without the engineering overhead required if it had to maintain its own fork, which would cost millions and take quite some time to develop — a year, two, three?

What drama. If you are hearing about this for the first time, Mullenweg, who created the web content management system WordPress, has been relentless with his attacks on WP Engine for what he claims are trademark violations. It came to a head at WordCamp in Portland earlier in September when Mullenweg called WP Engine “a cancer” on the community.

On Sept. 23, attorneys sent a cease-and-desist letter to WP Engine on behalf of Mullenweg’s holding company Automattic and WooCommerce. Among its demands: that WP Engine stop all unauthorized use of WordPress’s trademarks and “provide an accounting of all profits from the service offerings that have made unauthorized use of our Client’s intellectual property.”

The letter suggested that “even a mere 8% royalty on WP Engine’s $400+ million in annual revenue equates to more than $32 million in annual lost licensing revenue for our Client.”

On Sept. 25, in lieu of action by WP Engine, Mullenweg blocked WP Engine’s access to the WordPress servers. He then gave a reprieve on Sept. 27 after users contacted him. Mullenweg said users thought they were paying WordPress, not WP Engine.

“They thought they were paying me, to be honest, that’s why they were pissed off,” Mullenweg said. “And so I was like, ‘Oops, OK, we’ll turn it back on.’“

WordPress blocked WP Engine’s access to its servers Tuesday at UTC 00:00.

The odd thing: no sign of trouble so far from WP Engine users; a WP Engine spokesperson declined to comment when contacted by TNS about whether the company had heard from customers having problems. WP Engine must have set up the mirrors and all to WordPress.org. How that affects performance and the rest is still not understood.

Sources of Conflict

In our interview, Mullenweg said users now hopefully understand that they are paying WP Engine, which does not pay WordPress for auto updates and everything else WordPress provides. Users, he argued, should be mad at WP Engine, not him and his team, who run the servers. Again, Mullenweg expresses that he and his team are the victims.

WP Engine is simply not responding, Mullenweg said, except through a cease-and-desist letter its attorneys sent Automattic on Sept. 23 after his repeated attacks.

The letter sent on WP Engine’s behalf reads in part, “Mr. Mullenweg’s covert demand that WP Engine hand over tens of millions to his for-profit company Automattic, while publicly masquerading as an altruistic protector of the WordPress community, is disgraceful.  WP Engine will not accede to these unconscionable demands, which not only harm WP Engine and its employees but also threaten the entire WordPress community.”

WP Engine did not answer The New Stack’s question about forking WordPress, but a company spokesperson did have choice words about Automattic’s licensing demands.

“We, like the rest of the WordPress community, use the WordPress mark to describe our business. Automattic’s suggestion that WP Engine needs a license to do that is simply wrong, and reflects a misunderstanding of trademark law. To moot its claimed concerns, we have eliminated the few examples Automattic gave in its Sept. 23 letter to us.”

For example, WP Engine has made some minor changes, namely changing WordPress to WordPress1 and WooCommerce1 on the site’s front page.

What About the Community?

Overall, users had almost no warning that their sites would be disrupted. This is an odd way to treat users, especially when they are such huge fans of your platform.

Here’s where open source becomes a problem for users. Most people do not know how they get the updates to their CMS. But once their site stopped working, they became entangled in a battle between Mullenweg and WP Engine.

Meanwhile, most users are just trying to keep their sites working.

 

Post by @alexelnaugh

View on Threads

 

Amidst the controversy, Mullenweg acknowledged he could have done better in reaching out to the community.

“To be fair, I have not been the best at public relations or publishing things,” he told TNS. “That’s why we try to be very clear at UTC 00, Oct. 1 … at this exact time, their network, WP Engine servers will no longer be able to access our networks.”

But a fork? The cost to set up the servers, the network, the load balancers, on and on, would cost millions and could take years. At its peak, WordPress serves 30,000 requests per second and 40% of the entire Web, according to Mullenweg.

Users have an option, he said. They can move to a different hosting provider. He mentioned Bluehost and his own company, WordPress.com, as two options.

Open Source Faces a Hurricane

There has been confusion about open source AI and server-side public licenses. Now, we’ve got the WordPress debacle. Oh, and there’s talk about Oracle owning the JavaScript trademark. The fun never ends.

But people are working on the problem, particularly the single point of failure issue that has become more apparent since WP Engine’s servers were cut off.

Here’s a thread worth reading from Reddit, about how to solve the problem of a single point of truth. The problem is a severe one, but maybe a fork is not the answer. Instead, perhaps it’s a way to solve matters that can easily happen if sites aren’t updated:

The vulnerability should be apparent: if WordPress.org goes down for any reason, millions of sites stop updating. A coordinated attack (zero-day implementation coupled with a DDoS attack that prevents updates from going out from zero-day) could be a disaster the world over. And, if the Foundation ever decided to get out of the update business, or ran into financial difficulty, or Matt decides to retire to Aruba and quit WordPress entirely — whatever the case may be — there’s no Plan B.

So, the community needs a plan B — and maybe that’s most important. Stop the bickering. Instead, look for ways to modernize the WordPress infrastructure so users don’t get entangled in corporate wars that use open source as a proxy to fight battles that leave casualties scattered across the web.

Group Created with Sketch.



Source link

Keep an eye on what we are doing
Be the first to get latest updates and exclusive content straight to your email inbox.
We promise not to spam you. You can unsubscribe at any time.
Invalid email address
Continue Reading

WORDPRESS

Automattic demanded web host pay $32M annually for using WordPress trademark

Published

on

By

Automattic demanded web host pay $32M annually for using WordPress trademark

“WPE’s nominative uses of those marks to refer to the open-source software platform and plugin used for its clients’ websites are fair uses under settled trademark law, and they are consistent with WordPress’ own guidelines and the practices of nearly all businesses in this space,” the lawsuit said.

Mullenweg told Ars that “we had numerous meetings with WPE over the past 20 months, including a previous term sheet that was delivered in July. The term sheet was meant to be simple, and if they had agreed to negotiate it we could have, but they refused to even take a call with me, so we called their bluff.” Automattic also published a timeline of meetings and calls between the two companies going back to 2023.

Mullenweg also said, “Automattic had the commercial rights to the WordPress trademark and could sub-license, hence why the payment should go to Automattic for commercial use of the trademark. Also the term sheet covered the WooCommerce trademark, which they also abuse, and is 100 percent owned by Automattic.”

Automattic alleged “widespread unlicensed use”

Exhibit A in the lawsuit includes a letter to WP Engine CEO Heather Brunner from a trademark lawyer representing Automattic and a subsidiary, WooCommerce, which makes a plugin for WordPress.

“As you know, our Client owns all intellectual property rights globally in and to the world-famous WOOCOMMERCE and WOO trademarks; and the exclusive commercial rights from the WordPress Foundation to use, enforce, and sublicense the world-famous WORDPRESS trademark, among others, and all other associated intellectual property rights,” the letter said.

The letter alleged that “your blatant and widespread unlicensed use of our Client’s trademarks has infringed our Client’s rights and confused consumers into believing, falsely, that WP Engine is authorized, endorsed, or sponsored by, or otherwise affiliated or associated with, our Client.” It also alleged that “WP Engine’s entire business model is predicated on using our Client’s trademarks… to mislead consumers into believing there is an association between WP Engine and Automattic.”

Source link

Keep an eye on what we are doing
Be the first to get latest updates and exclusive content straight to your email inbox.
We promise not to spam you. You can unsubscribe at any time.
Invalid email address
Continue Reading

Trending