#field data collection apps
Explore tagged Tumblr posts
datamyte2022 · 6 months ago
Text
Top 10 Field Data Collection Apps for 2024
Efficient field data collection is crucial for businesses in today’s fast-paced environment. As of 2024, ensuring accuracy, security, and streamlined workflows in data collection processes has become more important than ever. With advancements in technology, a wide range of field data collection apps are available to simplify and enhance these processes.
This article explores the top 10 field data collection apps for 2024. From automated form creation to cloud-based solutions, these tools offer features designed to collect reliable data quickly and efficiently. We’ll examine each app's unique functionalities, advantages, and potential drawbacks to help you determine the best fit for your organization. Let’s dive in!
What Are Field Data Collection Apps?
Field data collection apps are specialized software solutions designed to gather, store, and manage data systematically. These apps allow users to collect information through surveys, forms, polls, and other methods, facilitating organized and efficient data collection for businesses, researchers, and organizations.
Many of these apps include features such as customizable forms, offline functionality, real-time syncing, and integration with other platforms. They are widely used across industries like healthcare, education, agriculture, and market research to improve data accuracy, optimize workflows, and enable data-driven decision-making.
The 10 Best Field Data Collection Apps for 2024
With the increasing demand for secure, reliable, and efficient data collection, field data collection apps have become indispensable tools. Below are the top 10 apps, highlighting their features, user-friendliness, pricing, and more:
1. Fulcrum
Fulcrum is a cloud-based app designed for seamless data gathering and reporting across industries such as construction, environmental science, and inspections. It offers customizable forms, offline data capture, and advanced analytics, making it a popular choice for field teams.
2. Teamscope
Ideal for sectors like research, healthcare, and education, Teamscope provides a secure and user-friendly platform for collecting sensitive data in remote or challenging environments. Features include offline functionality, data encryption, and real-time insights.
3. KoboToolbox
KoboToolbox is an open-source platform that excels in survey creation, data collection, and analysis. Widely used by NGOs and researchers, it offers flexibility and powerful tools for managing and sharing data.
4. Magpi
Magpi simplifies mobile data capture with an intuitive drag-and-drop interface. Industries such as healthcare and environmental monitoring rely on its efficient form-building capabilities and actionable insights.
5. JotForm
JotForm is a versatile online form builder catering to various needs, from surveys to order forms. With extensive integrations and a user-friendly design, it’s suitable for businesses, educators, and individuals.
6. FastField
FastField focuses on simplifying field data collection with offline capabilities, automation features, and real-time reporting. It’s commonly used in industries like construction and inspections.
7. Survey123 for ArcGIS
Survey123 combines user-friendly survey creation with ArcGIS’s mapping capabilities, making it ideal for collecting and analyzing spatial data.
8. Forms on Fire
Forms on Fire empowers organizations with mobile forms and intuitive web interfaces. Its offline capabilities and industry-specific features make it a reliable choice for construction, research, and more.
9. GoSpotCheck
Now part of FORM MarketX, GoSpotCheck specializes in mobile forms and real-time reporting for industries like retail and merchandising. It streamlines workflows and improves data accuracy.
10. iFormBuilder
iFormBuilder supports mobile data collection with offline functionality and automation features. It’s a go-to tool for field research, inspections, and construction.
These apps offer a variety of features tailored to specific industries and needs. By leveraging the right field data collection tool, you can enhance efficiency, ensure data accuracy, and make informed decisions based on reliable insights.
0 notes
aplpaca · 2 years ago
Text
So I'm taking an online class thingy on GIS and the urge to use the Advanced Scientific Mapping Software make a fuckin mosaic or some shit using is so high. It's the opposite of what the stuff is supposed to be used for. Like fuck it here's fuckin Starry Night over fresno california. Put it on Field Maps.
41 notes · View notes
jcmarchi · 1 month ago
Text
Using Pages CMS for Static Site Content Management
New Post has been published on https://thedigitalinsider.com/using-pages-cms-for-static-site-content-management/
Using Pages CMS for Static Site Content Management
Friends, I’ve been on the hunt for a decent content management system for static sites for… well, about as long as we’ve all been calling them “static sites,” honestly.
I know, I know: there are a ton of content management system options available, and while I’ve tested several, none have really been the one, y’know? Weird pricing models, difficult customization, some even end up becoming a whole ‘nother thing to manage.
Also, I really enjoy building with site generators such as Astro or Eleventy, but pitching Markdown as the means of managing content is less-than-ideal for many “non-techie” folks.
A few expectations for content management systems might include:
Easy to use: The most important feature, why you might opt to use a content management system in the first place.
Minimal Requirements: Look, I’m just trying to update some HTML, I don’t want to think too much about database tables.
Collaboration: CMS tools work best when multiple contributors work together, contributors who probably don’t know Markdown or what GitHub is.
Customizable: No website is the same, so we’ll need to be able to make custom fields for different types of content.
Not a terribly long list of demands, I’d say; fairly reasonable, even. That’s why I was happy to discover Pages CMS.
According to its own home page, Pages CMS is the “The No-Hassle CMS for Static Site Generators,” and I’ll to attest to that. Pages CMS has largely been developed by a single developer, Ronan Berder, but is open source, and accepting pull requests over on GitHub.
Taking a lot of the “good parts” found in other CMS tools, and a single configuration file, Pages CMS combines things into a sleek user interface.
Pages CMS includes lots of options for customization, you can upload media, make editable files, and create entire collections of content. Also, content can have all sorts of different fields, check the docs for the full list of supported types, as well as completely custom fields.
There isn’t really a “back end” to worry about, as content is stored as flat files inside your git repository. Pages CMS provides folks the ability to manage the content within the repo, without needing to actually know how to use Git, and I think that’s neat.
User Authentication works two ways: contributors can log in using GitHub accounts, or contributors can be invited by email, where they’ll receive a password-less, “magic-link,” login URL. This is nice, as GitHub accounts are less common outside of the dev world, shocking, I know.
Oh, and Pages CMS has a very cheap barrier for entry, as it’s free to use.
Pages CMS and Astro content collections
I’ve created a repository on GitHub with Astro and Pages CMS using Astro’s default blog starter, and made it available publicly, so feel free to clone and follow along.
I’ve been a fan of Astro for a while, and Pages CMS works well alongside Astro’s content collection feature. Content collections make globs of data easily available throughout Astro, so you can hydrate content inside Astro pages. These globs of data can be from different sources, such as third-party APIs, but commonly as directories of Markdown files. Guess what Pages CMS is really good at? Managing directories of Markdown files!
Content collections are set up by a collections configuration file. Check out the src/content.config.ts file in the project, here we are defining a content collection named blog:
import glob from 'astro/loaders'; import defineCollection, z from 'astro:content'; const blog = defineCollection( // Load Markdown in the `src/content/blog/` directory. loader: glob( base: './src/content/blog', pattern: '**/*.md' ), // Type-check frontmatter using a schema schema: z.object( title: z.string(), description: z.string(), // Transform string to Date object pubDate: z.coerce.date(), updatedDate: z.coerce.date().optional(), heroImage: z.string().optional(), ), ); export const collections = blog ;
The blog content collection checks the /src/content/blog directory for files matching the **/*.md file type, the Markdown file format. The schema property is optional, however, Astro provides helpful type-checking functionality with Zod, ensuring data saved by Pages CMS works as expected in your Astro site.
Pages CMS Configuration
Alright, now that Astro knows where to look for blog content, let’s take a look at the Pages CMS configuration file, .pages.config.yml:
content: - name: blog label: Blog path: src/content/blog filename: 'year-month-day-fields.title.md' type: collection view: fields: [heroImage, title, pubDate] fields: - name: title label: Title type: string - name: description label: Description type: text - name: pubDate label: Publication Date type: date options: format: MM/dd/yyyy - name: updatedDate label: Last Updated Date type: date options: format: MM/dd/yyyy - name: heroImage label: Hero Image type: image - name: body label: Body type: rich-text - name: site-settings label: Site Settings path: src/config/site.json type: file fields: - name: title label: Website title type: string - name: description label: Website description type: string description: Will be used for any page with no description. - name: url label: Website URL type: string pattern: ^(https?://)?(www.)?[a-zA-Z0-9.-]+.[a-zA-Z]2,(/[^s]*)?$ - name: cover label: Preview image type: image description: Image used in the social preview on social networks (e.g. Facebook, Twitter...) media: input: public/media output: /media
There is a lot going on in there, but inside the content section, let’s zoom in on the blog object.
- name: blog label: Blog path: src/content/blog filename: 'year-month-day-fields.title.md' type: collection view: fields: [heroImage, title, pubDate] fields: - name: title label: Title type: string - name: description label: Description type: text - name: pubDate label: Publication Date type: date options: format: MM/dd/yyyy - name: updatedDate label: Last Updated Date type: date options: format: MM/dd/yyyy - name: heroImage label: Hero Image type: image - name: body label: Body type: rich-text
We can point Pages CMS to the directory we want to save Markdown files using the path property, matching it up to the /src/content/blog/ location Astro looks for content.
path: src/content/blog
For the filename we can provide a pattern template to use when Pages CMS saves the file to the content collection directory. In this case, it’s using the file date’s year, month, and day, as well as the blog item’s title, by using fields.title to reference the title field. The filename can be customized in many different ways, to fit your scenario.
filename: 'year-month-day-fields.title.md'
The type property tells Pages CMS that this is a collection of files, rather than a single editable file (we’ll get to that in a moment).
type: collection
In our Astro content collection configuration, we define our blog collection with the expectation that the files will contain a few bits of meta data such as: title, description, pubDate, and a few more properties.
We can mirror those requirements in our Pages CMS blog collection as fields. Each field can be customized for the type of data you’re looking to collect. Here, I’ve matched these fields up with the default Markdown frontmatter found in the Astro blog starter.
fields: - name: title label: Title type: string - name: description label: Description type: text - name: pubDate label: Publication Date type: date options: format: MM/dd/yyyy - name: updatedDate label: Last Updated Date type: date options: format: MM/dd/yyyy - name: heroImage label: Hero Image type: image - name: body label: Body type: rich-text
Now, every time we create a new blog item in Pages CMS, we’ll be able to fill out each of these fields, matching the expected schema for Astro.
Aside from collections of content, Pages CMS also lets you manage editable files, which is useful for a variety of things: site wide variables, feature flags, or even editable navigations.
Take a look at the site-settings object, here we are setting the type as file, and the path includes the filename site.json.
- name: site-settings label: Site Settings path: src/config/site.json type: file fields: - name: title label: Website title type: string - name: description label: Website description type: string description: Will be used for any page with no description. - name: url label: Website URL type: string pattern: ^(https?://)?(www.)?[a-zA-Z0-9.-]+.[a-zA-Z]2,(/[^s]*)?$ - name: cover label: Preview image type: image description: Image used in the social preview on social networks (e.g. Facebook, Twitter...)
The fields I’ve included are common site-wide settings, such as the site’s title, description, url, and cover image.
Speaking of images, we can tell Pages CMS where to store media such as images and video.
media: input: public/media output: /media
The input property explains where to store the files, in the /public/media directory within our project.
The output property is a helpful little feature that conveniently replaces the file path, specifically for tools that might require specific configuration. For example, Astro uses Vite under the hood, and Vite already knows about the public directory and complains if it’s included within file paths. Instead, we can set the output property so Pages CMS will only point image path locations starting at the inner /media directory instead.
To see what I mean, check out the test post in the src/content/blog/ folder:
--- title: 'Test Post' description: 'Here is a sample of some basic Markdown syntax that can be used when writing Markdown content in Astro.' pubDate: 05/03/2025 heroImage: '/media/blog-placeholder-1.jpg' ---
The heroImage now property properly points to /media/... instead of /public/media/....
As far as configurations are concerned, Pages CMS can be as simple or as complex as necessary. You can add as many collections or editable files as needed, as well as customize the fields for each type of content. This gives you a lot of flexibility to create sites!
Connecting to Pages CMS
Now that we have our Astro site set up, and a .pages.config.yml file, we can connect our site to the Pages CMS online app. As the developer who controls the repository, browse to https://app.pagescms.org/ and sign in using your GitHub account.
You should be presented with some questions about permissions, you may need to choose between giving access to all repositories or specific ones. Personally, I chose to only give access to a single repository, which in this case is my astro-pages-cms-template repo.
After providing access to the repo, head on back to the Pages CMS application, where you’ll see your project listed under the “Open a Project” headline.
Clicking the open link will take you into the website’s dashboard, where we’ll be able to make updates to our site.
Creating content
Taking a look at our site’s dashboard, we’ll see a navigation on the left side, with some familiar things.
Blog is the collection we set up inside the .pages.config.yml file, this will be where we we can add new entries to the blog.
Site Settings is the editable file we are using to make changes to site-wide variables.
Media is where our images and other content will live.
Settings is a spot where we’ll be able to edit our .pages.config.yml file directly.
Collaborators allows us to invite other folks to contribute content to the site.
We can create a new blog post by clicking the Add Entry button in the top right
Here we can fill out all the fields for our blog content, then hit the Save button.
After saving, Pages CMS will create the Markdown file, store the file in the proper directory, and automatically commit the changes to our repository. This is how Pages CMS helps us manage our content without needing to use git directly.
Automatically deploying
The only thing left to do is set up automated deployments through the service provider of your choice. Astro has integrations with providers like Netlify, Cloudflare Pages, and Vercel, but can be hosted anywhere you can run node applications.
Astro is typically very fast to build (thanks to Vite), so while site updates won’t be instant, they will still be fairly quick to deploy. If your site is set up to use Astro’s server-side rendering capabilities, rather than a completely static site, the changes might be much faster to deploy.
Wrapping up
Using a template as reference, we checked out how Astro content collections work alongside Pages CMS. We also learned how to connect our project repository to the Pages CMS app, and how to make content updates through the dashboard. Finally, if you are able, don’t forget to set up an automated deployment, so content publishes quickly.
0 notes
hms-software-timecontrol · 2 months ago
Text
The TimeControl Timesheet system includes the free TimeControl Mobile App. When connected to TimeControl Industrial the TimeControl Mobile App delivers field data collection for project progress along with labor and non-labor entries.
Tumblr media
View On WordPress
0 notes
mostlysignssomeportents · 4 months ago
Text
With Great Power Came No Responsibility
Tumblr media
I'm on a 20+ city book tour for my new novel PICKS AND SHOVELS. Catch me in NYC TONIGHT (26 Feb) with JOHN HODGMAN and at PENN STATE TOMORROW (Feb 27). More tour dates here. Mail-order signed copies from LA's Diesel Books.
Tumblr media
Last night, I traveled to Toronto to deliver the annual Ursula Franklin Lecture at the University of Toronto's Innis College:
The lecture was called "With Great Power Came No Responsibility: How Enshittification Conquered the 21st Century and How We Can Overthrow It." It's the latest major speech in my series of talks on the subject, which started with last year's McLuhan Lecture in Berlin:
https://pluralistic.net/2024/01/30/go-nuts-meine-kerle/#ich-bin-ein-bratapfel
And continued with a summer Defcon keynote:
https://pluralistic.net/2024/08/17/hack-the-planet/#how-about-a-nice-game-of-chess
This speech specifically addresses the unique opportunities for disenshittification created by Trump's rapid unscheduled midair disassembly of the international free trade system. The US used trade deals to force nearly every country in the world to adopt the IP laws that make enshittification possible, and maybe even inevitable. As Trump burns these trade deals to the ground, the rest of the world has an unprecedented opportunity to retaliate against American bullying by getting rid of these laws and producing the tools, devices and services that can protect every tech user (including Americans) from being ripped off by US Big Tech companies.
I'm so grateful for the chance to give this talk. I was hosted for the day by the Centre for Culture and Technology, which was founded by Marshall McLuhan, and is housed in the coach house he used for his office. The talk itself took place in Innis College, named for Harold Innis, who is definitely the thinking person's Marshall McLuhan. What's more, I was mentored by Innis's daughter, Anne Innis Dagg, a radical, brilliant feminist biologist who pretty much invented the field of giraffology:
https://pluralistic.net/2020/02/19/pluralist-19-feb-2020/#annedagg
But with all respect due to Anne and her dad, Ursula Franklin is the thinking person's Harold Innis. A brilliant scientist, activist and communicator who dedicated her life to the idea that the most important fact about a technology wasn't what it did, but who it did it for and who it did it to. Getting to work out of McLuhan's office to present a talk in Innis's theater that was named after Franklin? Swoon!
https://en.wikipedia.org/wiki/Ursula_Franklin
Here's the text of the talk, lightly edited:
I know tonight’s talk is supposed to be about decaying tech platforms, but I want to start by talking about nurses.
A January 2025 report from Groundwork Collective documents how increasingly nurses in the USA are hired through gig apps – "Uber for nurses” – so nurses never know from one day to the next whether they're going to work, or how much they'll get paid.
There's something high-tech going on here with those nurses' wages. These nursing apps – a cartel of three companies, Shiftkey, Shiftmed and Carerev – can play all kinds of games with labor pricing.
Before Shiftkey offers a nurse a shift, it purchases that worker's credit history from a data-broker. Specifically, it pays to find out how much credit-card debt the nurse is carrying, and whether it is overdue.
The more desperate the nurse's financial straits are, the lower the wage on offer. Because the more desperate you are, the less you'll accept to come and do the gruntwork of caring for the sick, the elderly, and the dying.
Now, there are lots of things going on here, and they're all terrible. What's more, they are emblematic of “enshittification,” the word I coined to describe the decay of online platforms.
When I first started writing about this, I focused on the external symptology of enshittification, a three stage process:
First, the platform is good to its end users, while finding a way to lock them in.
Like Google, which minimized ads and maximized spending on engineering for search results, even as they bought their way to dominance, bribing every service or product with a search box to make it a Google search box.
So no matter what browser you used, what mobile OS you used, what carrier you had, you would always be searching on Google by default. This got so batshit that by the early 2020s, Google was spending enough money to buy a whole-ass Twitter, every year or two, just to make sure that no one ever tried a search engine that wasn't Google.
That's stage one: be good to end users, lock in end users.
Stage two is when the platform starts to abuse end users to tempt in and enrich business customers. For Google, that’s advertisers and web publishers. An ever-larger fraction of a Google results page is given over to ads, which are marked with ever-subtler, ever smaller, ever grayer labels. Google uses its commercial surveillance data to target ads to us.
So that's stage two: things get worse for end users and get better for business customers.
But those business customers also get locked into the platform, dependent on those customers. Once businesses are getting as little as 10% of their revenue from Google, leaving Google becomes an existential risk. We talk a lot about Google's "monopoly" power, which is derived from its dominance as a seller. But Google is also a monopsony, a powerful buyer.
So now you have Google acting as a monopolist to its users (stage one), and a monoposonist for its business customers (stage two) and here comes stage three: where Google claws back all the value in the platform, save a homeopathic residue calculated to keep end users locked in, and business customers locked to those end users.
Google becomes enshittified.
In 2019, Google had a turning point. Search had grown as much as it possibly could. More than 90% of us used Google for search, and we searched for everything. Any thought or idle question that crossed our minds, we typed into Google.
How could Google grow? There were no more users left to switch to Google. We weren't going to search for more things. What could Google do?
Well, thanks to internal memos published during last year's monopoly trial against Google, we know what they did. They made search worse. They reduced the system's accuracy it so you had to search twice or more to get to the answer, thus doubling the number of queries, and doubling the number of ads.
Meanwhile, Google entered into a secret, illegal collusive arrangement with Facebook, codenamed Jedi Blue, to rig the ad market, fixing prices so advertisers paid more and publishers got less.
And that's how we get to the enshittified Google of today, where every query serves back a blob of AI slop, over five paid results tagged with the word AD in 8-point, 10% grey on white type, which is, in turn, over ten spammy links from SEO shovelware sites filled with more AI slop.
And yet, we still keep using Google, because we're locked into it. That's enshittification, from the outside. A company that's good to end users, while locking them in. Then it makes things worse for end users, to make things better for business customers, while locking them in. Then it takes all the value for itself and turns into a giant pile of shit.
Enshittification, a tragedy in three acts.
I started off focused on the outward signs of enshittification, but I think it's time we start thinking about what's going in inside the companies to make enshittification possible.
What is the technical mechanism for enshittification? I call it twiddling. Digital businesses have infinite flexibility, bequeathed to them by the marvellously flexible digital computers they run on. That means that firms can twiddle the knobs that control the fundamental aspects of their business. Every time you interact with a firm, everything is different: prices, costs, search rankings, recommendations.
Which takes me back to our nurses. This scam, where you look up the nurse's debt load and titer down the wage you offer based on it in realtime? That's twiddling. It's something you can only do with a computer. The bosses who are doing this aren't more evil than bosses of yore, they just have better tools.
Note that these aren't even tech bosses. These are health-care bosses, who happen to have tech.
Digitalization – weaving networked computers through a firm or a sector – enables this kind of twiddling that allows firms to shift value around, from end users to business customers, from business customers back to end users, and eventually, inevitably, to themselves.
And digitalization is coming to every sector – like nursing. Which means enshittification is coming to every sector – like nursing.
The legal scholar Veena Dubal coined a term to describe the twiddling that suppresses the wages of debt-burdened nurses. It's called "Algorithmic Wage Discrimination," and it follows the gig economy.
The gig economy is a major locus of enshittification, and it’s the largest tear in the membrane separating the virtual world from the real world. Gig work, where your shitty boss is a shitty app, and you aren't even allowed to call yourself an employee.
Uber invented this trick. Drivers who are picky about the jobs the app puts in front of them start to get higher wage offers. But if they yield to temptation and take some of those higher-waged option, then the wage starts to go down again, in random intervals, by small increments, designed to be below the threshold for human perception. Not so much boiling the frog as poaching it, until the Uber driver has gone into debt to buy a new car, and given up the side hustles that let them be picky about the rides they accepted. Then their wage goes down, and down, and down.
Twiddling is a crude trick done quickly. Any task that's simple but time consuming is a prime candidate for automation, and this kind of wage-theft would be unbearably tedious, labor-intensive and expensive to perform manually. No 19th century warehouse full of guys with green eyeshades slaving over ledgers could do this. You need digitalization.
Twiddling nurses' hourly wages is a perfect example of the role digitization pays in enshittification. Because this kind of thing isn't just bad for nurses – it's bad for patients, too. Do we really think that paying nurses based on how desperate they are, at a rate calculated to increase that desperation, and thus decrease the wage they are likely to work for, is going to result in nurses delivering the best care?
Do you want to your catheter inserted by a nurse on food stamps, who drove an Uber until midnight the night before, and skipped breakfast this morning in order to make rent?
This is why it’s so foolish to say "If you're not paying for the product, you're the product." “If you’re not paying for the product” ascribes a mystical power to advertising-driven services: the power to bypass our critical faculties by surveilling us, and data-mining the resulting dossiers to locate our mental bind-spots, and weaponize them to get us to buy anything an advertiser is selling.
In this formulation, we are complicit in our own exploitation. By choosing to use "free" services, we invite our own exploitation by surveillance capitalists who have perfected a mind-control ray powered by the surveillance data we're voluntarily handing over by choosing ad-driven services.
The moral is that if we only went back to paying for things, instead of unrealistically demanding that everything be free, we would restore capitalism to its functional, non-surveillant state, and companies would start treating us better, because we'd be the customers, not the products.
That's why the surveillance capitalism hypothesis elevates companies like Apple as virtuous alternatives. Because Apple charges us money, rather than attention, it can focus on giving us better service, rather than exploiting us.
There's a superficially plausible logic to this. After all, in 2022, Apple updated its iOS operating system, which runs on iPhones and other mobile devices, introducing a tick box that allowed you to opt out of third-party surveillance, most notably Facebook’s.
96% of Apple customers ticked that box. The other 4% were, presumably drunk, or Facebook employees, or Facebook employees who were drunk. Which makes sense, because if I worked for Facebook, I'd be drunk all the time.
So on the face of it, it seems like Apple isn't treating its customers like "the product." But simultaneously with this privacy measure, Apple was secretly turning on its own surveillance system for iPhone owners, which would spy on them in exactly the way Facebook had, for exactly the same purpose: to target ads to you based on the places you'd been, the things you'd searched for, the communications you'd had, the links you'd clicked.
Apple didn't ask its customers for permission to spy on them. It didn't let opt out of this spying. It didn’t even tell them about it, and when it was caught, Apple lied about it.
It goes without saying that the $1000 Apple distraction rectangle in your pocket is something you paid for. The fact that you've paid for it doesn't stop Apple from treating you as the product. Apple treats its business customers – app vendors – like the product, screwing them out of 30 cents on every dollar they bring in, with mandatory payment processing fees that are 1,000% higher than the already extortionate industry norm.
Apple treats its end users – people who shell out a grand for a phone – like the product, spying on them to help target ads to them.
Apple treats everyone like the product.
This is what's going on with our gig-app nurses: the nurses are the product. The patients are the product. The hospitals are the product. In enshittification, "the product" is anyone who can be productized.
Fair and dignified treatment is not something you get as a customer loyalty perk, in exchange for parting with your money, rather than your attention. How do you get fair and dignified treatment? Well, I'm gonna get to that, but let's stay with our nurses for a while first.
The nurses are the product, and they're being twiddled, because they've been conscripted into the tech industry, via the digitalization of their own industry.
It's tempting to blame digitalization for this. But tech companies were not born enshittified. They spent years – decades – making pleasing products. If you're old enough to remember the launch of Google, you'll recall that, at the outset, Google was magic.
You could Ask Jeeves questions for a million years, you could load up Altavista with ten trillion boolean search operators meant to screen out low-grade results, and never come up with answers as crisp, as useful, as helpful, as the ones you'd get from a few vaguely descriptive words in a Google search-bar.
There's a reason we all switched to Google. Why so many of us bought iPhones. Why we joined our friends on Facebook. All of these services were born digital. They could have enshittified at any time. But they didn't – until they did. And they did it all at once.
If you were a nurse, and every patient that staggered into the ER had the same dreadful symptoms, you'd call the public health department and report a suspected outbreak of a new and dangerous epidemic.
Ursula Franklin held that technology's outcomes were not preordained. They are the result of deliberate choices. I like that very much, it's a very science fictional way of thinking about technology. Good science fiction isn't merely about what the technology does, but who it does it for, and who it does it to.
Those social factors are far more important than the mere technical specifications of a gadget. They're the difference between a system that warns you when you're about to drift out of your lane, and a system that tells your insurer that you nearly drifted out of your lane, so they can add $10 to your monthly premium.
They’re the difference between a spell checker that lets you know you've made a typo, and bossware that lets your manager use the number of typos you made this quarter so he can deny your bonus.
They’re the difference between an app that remembers where you parked your car, and an app that uses the location of your car as a criteria for including you in a reverse warrant for the identities of everyone in the vicinity of an anti-government protest.
I believe that enshittification is caused by changes not to technology, but to the policy environment. These are changes to the rules of the game, undertaken in living memory, by named parties, who were warned at the time about the likely outcomes of their actions, who are today very rich and respected, and face no consequences or accountability for their role in ushering in the enshittocene. They venture out into polite society without ever once wondering if someone is sizing them up for a pitchfork.
In other words: I think we created a crimogenic environment, a perfect breeding pool for the most pathogenic practices in our society, that have therefore multiplied, dominating decision-making in our firms and states, leading to a vast enshittening of everything.
And I think there's good news there, because if enshittification isn't the result a new kind of evil person, or the great forces of history bearing down on the moment to turn everything to shit, but rather the result of specific policy choices, then we can reverse those policies, make better ones and emerge from the enshittocene, consigning the enshitternet to the scrapheap of history, a mere transitional state between the old, good internet, and a new, good internet.
I'm not going to talk about AI today, because oh my god is AI a boring, overhyped subject. But I will use a metaphor about AI, about the limited liability company, which is a kind of immortal, artificial colony organism in which human beings serve as a kind of gut flora. My colleague Charlie Stross calls corporations "slow AI.”
So you've got these slow AIs whose guts are teeming with people, and the AI's imperative, the paperclip it wants to maximize, is profit. To maximize profits, you charge as much as you can, you pay your workers and suppliers as little as you can, you spend as little as possible on safety and quality.
Every dollar you don't spend on suppliers, workers, quality or safety is a dollar that can go to executives and shareholders. So there's a simple model of the corporation that could maximize its profits by charging infinity dollars, while paying nothing to its workers or suppliers, and ignoring quality and safety.
But that corporation wouldn't make any money, for the obvious reasons that none of us would buy what it was selling, and no one would work for it or supply it with goods. These constraints act as disciplining forces that tamp down the AI's impulse to charge infinity and pay nothing.
In tech, we have four of these constraints, anti-enshittificatory sources of discipline that make products and services better, pay workers more, and keep executives’ and shareholders' wealth from growing at the expense of customers, suppliers and labor.
The first of these constraints is markets. All other things being equal, a business that charges more and delivers less will lose customers to firms that are more generous about sharing value with workers, customers and suppliers.
This is the bedrock of capitalist theory, and it's the ideological basis for competition law, what our American cousins call "antitrust law."
The first antitrust law was 1890's Sherman Act, whose sponsor, Senator John Sherman, stumped for it from the senate floor, saying:
If we will not endure a King as a political power we should not endure a King over the production, transportation, and sale of the necessaries of life. If we would not submit to an emperor we should not submit to an autocrat of trade with power to prevent competition and to fix the price of any commodity. 
Senator Sherman was reflecting the outrage of the anitmonopolist movement of the day, when proprietors of monopolistic firms assumed the role of dictators, with the power to decide who would work, who would starve, what could be sold, and what it cost.
Lacking competitors, they were too big to fail, too big to jail, and too big to care. As Lily Tomlin used to put it in her spoof AT&T ads on SNL: "We don't care. We don't have to. We're the phone company.”
So what happened to the disciplining force of competition? We killed it. Starting 40-some years ago, the Reagaonomic views of the Chicago School economists transformed antitrust. They threw out John Sherman's idea that we need to keep companies competitive to prevent the emergence of "autocrats of trade,"and installed the idea that monopolies are efficient.
In other words, if Google has a 90% search market share, which it does, then we must infer that Google is the best search engine ever, and the best search engine possible. The only reason a better search engine hasn't stepped in is that Google is so skilled, so efficient, that there is no conceivable way to improve upon it.
We can tell that Google is the best because it has a monopoly, and we can tell that the monopoly is good because Google is the best.
So 40 years ago, the US – and its major trading partners – adopted an explicitly pro-monopoly competition policy.
Now, you'll be glad to hear that this isn't what happened to Canada. The US Trade Rep didn't come here and force us to neuter our competition laws. But don't get smug! The reason that didn't happen is that it didn't have to. Because Canada had no competition law to speak of, and never has.
In its entire history, the Competition Bureau has challenged three mergers, and it has halted precisely zero mergers, which is how we've ended up with a country that is beholden to the most mediocre plutocrats imaginable like the Irvings, the Westons, the Stronachs, the McCains and the Rogerses.
The only reason these chinless wonders were able to conquer this country Is that the Americans had been crushing their monopolists before they could conquer the US and move on to us. But 40 years ago, the rest of the world adopted the Chicago School's pro-monopoly "consumer welfare standard,” and we got…monopolies.
Monopolies in pharma, beer, glass bottles, vitamin C, athletic shoes, microchips, cars, mattresses, eyeglasses, and, of course, professional wrestling.
Remember: these are specific policies adopted in living memory, by named individuals, who were warned, and got rich, and never faced consequences. The economists who conceived of these policies are still around today, polishing their fake Nobel prizes, teaching at elite schools, making millions consulting for blue-chip firms.
When we confront them with the wreckage their policies created, they protest their innocence, maintaining – with a straight face – that there's no way to affirmatively connect pro-monopoly policies with the rise of monopolies.
It's like we used to put down rat poison and we didn't have a rat problem. Then these guys made us stop, and now rats are chewing our faces off, and they're making wide innocent eyes, saying, "How can you be sure that our anti-rat-poison policies are connected to global rat conquest? Maybe this is simply the Time of the Rat! Maybe sunspots caused rats to become more fecund than at any time in history! And if they bought the rat poison factories and shut them all down, well, so what of it? Shutting down rat poison factories after you've decided to stop putting down rat poison is an economically rational, Pareto-optimal decision."
Markets don't discipline tech companies because they don't compete with rivals, they buy them. That's a quote, from Mark Zuckerberg: “It is better to buy than to compete.”
Which is why Mark Zuckerberg bought Instagram for a billion dollars, even though it only had 12 employees and 25m users. As he wrote in a spectacularly ill-advised middle-of-the-night email to his CFO, he had to buy Instagram, because Facebook users were leaving Facebook for Instagram. By buying Instagram, Zuck ensured that anyone who left Facebook – the platform – would still be a prisoner of Facebook – the company.
Despite the fact that Zuckerberg put this confession in writing, the Obama administration let him go ahead with the merger, because every government, of every political stripe, for 40 years, adopted the posture that monopolies were efficient.
Now, think about our twiddled, immiserated nurses. Hospitals are among the most consolidated sectors in the US. First, we deregulated pharma mergers, and the pharma companies gobbled each other up at the rate of naughts, and they jacked up the price of drugs. So hospitals also merged to monopoly, a defensive maneuver that let a single hospital chain corner the majority of a region or city and say to the pharma companies, "either you make your products cheaper, or you can't sell them to any of our hospitals."
Of course, once this mission was accomplished, the hospitals started screwing the insurers, who staged their own incestuous orgy, buying and merging until most Americans have just three or two insurance options. This let the insurers fight back against the hospitals, but left patients and health care workers defenseless against the consolidated power of hospitals, pharma companies, pharmacy benefit managers, group purchasing organizations, and other health industry cartels, duopolies and monopolies.
Which is why nurses end up signing on to work for hospitals that use these ghastly apps. Remember, there's just three of these apps, replacing dozens of staffing agencies that once competed for nurses' labor.
Meanwhile, on the patient side, competition has never exercised discipline. No one ever shopped around for a cheaper ambulance or a better ER while they were having a heart attack. The price that people are willing to pay to not die is “everything they have.”
So you have this sector that has no business being a commercial enterprise in the first place, losing what little discipline they faced from competition, paving the way for enshittification.
But I said there are four forces that discipline companies. The second one of these forces is regulation, discipline imposed by states.
It’s a mistake to see market discipline and state discipline as two isolated realms. They are intimately connected. Because competition is a necessary condition for effective regulation.
Let me put this in terms that even the most ideological libertarians can understand. Say you think there should be precisely one regulation that governments should enforce: honoring contracts. For the government to serve as referee in that game, it must have the power to compel the players to honor their contracts. Which means that the smallest government you can have is determined by the largest corporation you're willing to permit.
So even if you're the kind of Musk-addled libertarian who can no longer open your copy of Atlas Shrugged because the pages are all stuck together, who pines for markets for human kidneys, and demands the right to sell yourself into slavery, you should still want a robust antitrust regime, so that these contracts can be enforced.
When a sector cartelizes, when it collapses into oligarchy, when the internet turns into "five giant websites, each filled with screenshots of the other four," then it captures its regulators.
After all, a sector with 100 competing companies is a rabble, at each others' throats. They can't agree on anything, especially how they're going to lobby.
While a sector of five companies – or four – or three – or two – or one – is a cartel, a racket, a conspiracy in waiting. A sector that has been boiled down to a mere handful of firms can agree on a common lobbying position.
What's more, they are so insulated from "wasteful competition" that they are aslosh in cash that they can mobilize to make their regulatory preferences into regulations. In other words, they can capture their regulators.
“Regulatory capture" may sound abstract and complicated, so let me put it in concrete terms. In the UK, the antitrust regulator is called the Competition and Markets Authority, run – until recently – by Marcus Bokkerink. The CMA has been one of the world's most effective investigators and regulators of Big Tech fuckery.
Last month, UK PM Keir Starmer fired Bokkerink and replaced him with Doug Gurr, the former head of Amazon UK. Hey, Starmer, the henhouse is on the line, they want their fox back.
But back to our nurses: there are plenty of examples of regulatory capture lurking in that example, but I'm going to pick the most egregious one, the fact that there are data brokers who will sell you information about the credit card debts of random Americans.
This is because the US Congress hasn't passed a new consumer privacy law since 1988, when Ronald Reagan signed a law called the Video Privacy Protection Act that bans video store clerks from telling newspapers which VHS cassettes you took home. The fact that Congress hasn't updated Americans' privacy protections since Die Hard was in theaters isn't a coincidence or an oversight. It is the expensively purchased inaction of a heavily concentrated – and thus wildly profitable – privacy-invasion industry that has monetized the abuse of human rights at unimaginable scale.
The coalition in favor of keeping privacy law frozen since the season finale of St Elsewhere keeps growing, because there is an unbounded set of way to transform the systematic invasion of our human rights into cash. There's a direct line from this phenomenon to nurses whose paychecks go down when they can't pay their credit-card bills.
So competition is dead, regulation is dead, and companies aren't disciplined by markets or by states.
But there are four forces that discipline firms, contributing to an inhospitable environment for the reproduction of sociopathic. enshittifying monsters.
So let's talk about those other two forces. The first is interoperability, the principle of two or more things working together. Like, you can put anyone's shoelaces in your shoes, anyone's gas in your gas tank, and anyone's lightbulbs in your light-socket. In the non-digital world, interop takes a lot of work, you have to agree on the direction, pitch, diameter, voltage, amperage and wattage for that light socket, or someone's gonna get their hand blown off.
But in the digital world, interop is built in, because there's only one kind of computer we know how to make, the Turing-complete, universal, von Neumann machine, a computing machine capable of executing every valid program.
Which means that for any enshittifying program, there's a counterenshittificatory program waiting to be run. When HP writes a program to ensure that its printers reject third-party ink, someone else can write a program to disable that checking.
For gig workers, antienshittificatory apps can do yeoman duty. For example, Indonesian gig drivers formed co-ops, that commission hackers to write modifications for their dispatch apps. For example, the taxi app won't book a driver to pick someone up at a train station, unless they're right outside, but when the big trains pull in that's a nightmare scene of total, lethal chaos.
So drivers have an app that lets them spoof their GPS, which lets them park up around the corner, but have the app tell their bosses that they're right out front of the station. When a fare arrives, they can zip around and pick them up, without contributing to the stationside mishegas.
In the USA, a company called Para shipped an app to help Doordash drivers get paid more. You see, Doordash drivers make most of their money on tips, and the Doordash driver app hides the tip amount until you accept a job, meaning you don't know whether you're accepting a job that pays $1.50 or $11.50 with tip, until you agree to take it. So Para made an app that extracted the tip amount and showed it to drivers before they clocked on.
But Doordash shut it down, because in America, apps like Para are illegal. In 1998, Bill Clinton signed a law called the Digital Millennium Copyright Act, and section 1201 of the DMCA makes is a felony to "bypass an access control for a copyrighted work," with penalties of $500k and a 5-year prison sentence for a first offense. So just the act of reverse-engineering an app like the Doordash app is a potential felony, which is why companies are so desperately horny to get you to use their apps rather than their websites.
The web is open, apps are closed. The majority of web users have installed an ad blocker (which is also a privacy blocker). But no one installs an ad blocker for an app, because it's a felony to distribute that tool, because you have to reverse-engineer the app to make it. An app is just a website wrapped in enough IP so that the company that made it can send you to prison if you dare to modify it so that it serves your interests rather than theirs.
Around the world, we have enacted a thicket of laws, we call “IP laws,” that make it illegal to modify services, products, and devices, so that they serve your interests, rather than the interests of the shareholders.
Like I said, these laws were enacted in living memory, by people who are among us, who were warned about the obvious, eminently foreseeable consequences of their reckless plans, who did it anyway.
Back in 2010, two ministers from Stephen Harper's government decided to copy-paste America's Digital Millennium Copyright Act into Canadian law. They consulted on the proposal to make it illegal to reverse engineer and modify services, products and devices, and they got an earful! 6,138 Canadians sent in negative comments on the consultation. They warned that making it illegal to bypass digital locks would interfere with repair of devices as diverse as tractors, cars, and medical equipment, from ventilators to insulin pumps.
These Canadians warned that laws banning tampering with digital locks would let American tech giants corner digital markets, forcing us to buy our apps and games from American app stores, that could cream off any commission they chose to levy. They warned that these laws were a gift to monopolists who wanted to jack up the price of ink; that these copyright laws, far from serving Canadian artists would lock us to American platforms. Because every time someone in our audience bought a book, a song, a game, a video, that was locked to an American app, it could never be unlocked.
So if we, the creative workers of Canada, tried to migrate to a Canadian store, our audience couldn't come with us. They couldn't move their purchases from the US app to a Canadian one.
6,138 Canadians told them this, while just 54 respondents sided with Heritage Minister James Moore and Industry Minister Tony Clement. Then, James Moore gave a speech, at the International Chamber of Commerce meeting here in Toronto, where he said he would only be listening to the 54 cranks who supported his terrible ideas, on the grounds that the 6,138 people who disagreed with him were "babyish…radical extremists."
So in 2012, we copied America's terrible digital locks law into the Canadian statute book, and now we live in James Moore and Tony Clement's world, where it is illegal to tamper with a digital lock. So if a company puts a digital lock on its product they can do anything behind that lock, and it's a crime to undo it.
For example, if HP puts a digital lock on its printers that verifies that you're not using third party ink cartridges, or refilling an HP cartridge, it's a crime to bypass that lock and use third party ink. Which is how HP has gotten away with ratcheting the price of ink up, and up, and up.
Printer ink is now the most expensive fluid that a civilian can purchase without a special permit. It's colored water that costs $10k/gallon, which means that you print out your grocery lists with liquid that costs more than the semen of a Kentucky Derby-winning stallion.
That's the world we got from Clement and Moore, in living memory, after they were warned, and did it anyway. The world where farmers can't fix their tractors, where independent mechanics can't fix your car, where hospitals during the pandemic lockdowns couldn't service their failing ventilators, where every time a Canadian iPhone user buys an app from a Canadian software author, every dollar they spend takes a round trip through Apple HQ in Cupertino, California and comes back 30 cents lighter.
Let me remind you this is the world where a nurse can't get a counter-app, a plug-in, for the “Uber for nurses” app they have to use to get work, that lets them coordinate with other nurses to refuse shifts until the wages on offer rise to a common level or to block surveillance of their movements and activity.
Interoperability was a major disciplining force on tech firms. After all, if you make the ads on your website sufficiently obnoxious, some fraction of your users will install an ad-blocker, and you will never earn another penny from them. Because no one in the history of ad-blockers has ever uninstalled an ad-blocker. But once it's illegal to make an ad-blocker, there's no reason not to make the ads as disgusting, invasive, obnoxious as you can, to shift all the value from the end user to shareholders and executives.
So we get monopolies and monopolies capture their regulators, and they can ignore the laws they don't like, and prevent laws that might interfere with their predatory conduct – like privacy laws – from being passed. They get new laws passed, laws that let them wield governmental power to prevent other companies from entering the market.
So three of the four forces are neutralized: competition, regulation, and interoperability. That left just one disciplining force holding enshittification at bay: labor.
Tech workers are a strange sort of workforce, because they have historically been very powerful, able to command high wages and respect, but they did it without joining unions. Union density in tech is abysmal, almost undetectable. Tech workers' power didn't come from solidarity, it came from scarcity. There weren't enough workers to fill the jobs going begging, and tech workers are unfathomnably productive. Even with the sky-high salaries tech workers commanded, every hour of labor they put in generated far more value for their employers.
Faced with a tight labor market, and the ability to turn every hour of tech worker overtime into gold, tech bosses pulled out all the stops to motivate that workforce. They appealed to workers' sense of mission, convinced them they were holy warriors, ushering in a new digital age. Google promised them they would "organize the world's information and make it useful.” Facebook promised them they would “make the world more open and connected."
There's a name for this tactic: the librarian Fobazi Ettarh calls it "vocational awe." That’s where an appeal to a sense of mission and pride is used to motivate workers to work for longer hours and worse pay.
There are all kinds of professions that run on vocational awe: teaching, daycares and eldercare, and, of course, nursing.
Techies are different from those other workers though, because they've historically been incredibly scarce, which meant that while bosses could motivate them to work on projects they believed in, for endless hours, the minute bosses ordered them to enshittify the projects they'd missed their mothers' funerals to ship on deadline these workers would tell their bosses to fuck off.
If their bosses persisted in these demands, the techies would walk off the job, cross the street, and get a better job the same day.
So for many years, tech workers were the fourth and final constraint, holding the line after the constraints of competition, regulation and interop slipped away. But then came the mass tech layoffs. 260,000 in 2023; 150,000 in 2024; tens of thousands this year, with Facebook planning a 5% headcount massacre while doubling its executive bonuses.
Tech workers can't tell their bosses to go fuck themselves anymore, because there's ten other workers waiting to take their jobs.
Now, I promised I wouldn't talk about AI, but I have to break that promise a little, just to point out that the reason tech bosses are so horny for AI Is because they think it'll let them fire tech workers and replace them with pliant chatbots who'll never tell them to fuck off.
So that's where enshittification comes from: multiple changes to the environment. The fourfold collapse of competition, regulation, interoperability and worker power creates an enshittogenic environment, where the greediest, most sociopathic elements in the body corporate thrive at the expense of those elements that act as moderators of their enshittificatory impulses.
We can try to cure these corporations. We can use antitrust law to break them up, fine them, force strictures upon them. But until we fix the environment, other the contagion will spread to other firms.
So let's talk about how we create a hostile environment for enshittifiers, so the population and importance of enshittifying agents in companies dwindles to 1990s levels. We won't get rid of these elements. So long as the profit motive is intact, there will be people whose pursuit of profit is pathological, unmoderated by shame or decency. But we can change the environment so that these don't dominate our lives.
Let's talk about antitrust. After 40 years of antitrust decline, this decade has seen a massive, global resurgence of antitrust vigor, one that comes in both left- and right-wing flavors.
Over the past four years, the Biden administration’s trustbusters at the Federal Trade Commission, Department of Justice and Consumer Finance Protection Bureau did more antitrust enforcement than all their predecessors for the past 40 years combined.
There's certainly factions of the Trump administration that are hostile to this agenda but Trump's antitrust enforcers at the DoJ and FTC now say that they'll preserve and enforce Biden's new merger guidelines, which stop companies from buying each other up, and they've already filed suit to block a giant tech merger.
Of course, last summer a judge found Google guilty of monopolization, and now they're facing a breakup, which explains why they've been so generous and friendly to the Trump administration.
Meanwhile, in Canada, our toothless Competition Bureau's got fitted for a set of titanium dentures last June, when Bill C59 passed Parliament, granting sweeping new powers to our antitrust regulator.
It's true that UK PM Keir Starmer just fired the head of the UK Competition and Markets Authority and replaced him with the ex-boss of Amazon UK boss.But the thing that makes that so tragic is that the UK CMA had been doing astonishingly great work under various conservative governments.
In the EU, they've passed the Digital Markets Act and the Digital Services Act, and they're going after Big Tech with both barrels. Other countries around the world – Australia, Germany, France, Japan, South Korea and China (yes, China!) – have passed new antitrust laws, and launched major antitrust enforcement actions, often collaborating with each other.
So you have the UK Competition and Markets Authority using its investigatory powers to research and publish a deep market study on Apple's abusive 30% app tax, and then the EU uses that report as a roadmap for fining Apple, and then banning Apple's payments monopoly under new regulations.Then South Korea and Japan trustbusters translate the EU's case and win nearly identical cases in their courts
What about regulatory capture? Well, we're starting to see regulators get smarter about reining in Big Tech. For example, the EU's Digital Markets Act and Digital Services Act were designed to bypass the national courts of EU member states, especially Ireland, the tax-haven where US tech companies pretend to have their EU headquarters.
The thing about tax havens is that they always turn into crime havens, because if Apple can pretend to be Irish this week, it can pretend to be Maltese or Cypriot or Luxembourgeois next week. So Ireland has to let US Big Tech companies ignore EU privacy laws and other regulations, or it'll lose them to sleazier, more biddable competitor nations.
So from now on, EU tech regulation is getting enforced in the EU's federal courts, not in national courts, treating the captured Irish courts as damage and routing around them.
Canada needs to strengthen its own tech regulation enforcement, unwinding monopolistic mergers from the likes of Bell and Rogers, but most of all, Canada needs to pursue an interoperability agenda.
Last year, Canada passed two very exciting bills: Bill C244, a national Right to Repair law; and Bill C294, an interoperability law. Nominally, both of these laws allow Canadians to fix everything from tractors to insulin pumps, and to modify the software in their devices from games consoles to printers, so they will work with third party app stores, consumables and add-ons.
However, these bills are essentially useless, because these bills don’t permit Canadians to acquire tools to break digital locks. So you can modify your printer to accept third party ink, or interpret a car's diagnostic codes so any mechanic can fix it, but only if there isn't a digital lock stopping you from doing so, because giving someone a tool to break a digital lock remains illegal thanks to the law that James Moore and Tony Clement shoved down the nation's throat in 2012.
And every single printer, smart speaker, car, tractor, appliance, medical implant and hospital medical device has a digital lock that stops you from fixing it, modifying it, or using third party parts, software, or consumables in it.
Which means that these two landmark laws on repair and interop are useless. So why not get rid of the 2012 law that bans breaking digital locks? Because these laws are part of our trade agreement with the USA. This is a law needed to maintain tariff-free access to US markets.
I don’t know if you've heard, but Donald Trump is going to impose a 25%, across-the-board tariff against Canadian exports. Trudeau's response is to impose retaliatory tariffs, which will make every American product that Canadians buy 25% more expensive. This is a very weird way to punish America!
You know what would be better? Abolish the Canadian laws that protect US Big Tech companies from Canadian competition. Make it legal to reverse-engineer, jailbreak and modify American technology products and services. Don't ask Facebook to pay a link tax to Canadian newspapers, make it legal to jailbreak all of Meta's apps and block all the ads in them, so Mark Zuckerberg doesn't make a dime off of us.
Make it legal for Canadian mechanics to jailbreak your Tesla and unlock every subscription feature, like autopilot and full access to your battery, for one price, forever. So you get more out of your car, and when you sell it, then next owner continues to enjoy those features, meaning they'll pay more for your used car.
That's how you hurt Elon Musk: not by being performatively appalled at his Nazi salutes. That doesn't cost him a dime. He loves the attention. No! Strike at the rent-extracting, insanely high-margin aftermarket subscriptions he relies on for his Swastikar business. Kick that guy right in the dongle!
Let Canadians stand up a Canadian app store for Apple devices, one that charges 3% to process transactions, not 30%. Then, every Canadian news outlet that sells subscriptions through an app, and every Canadian software author, musician and writer who sells through a mobile platform gets a 25% increase in revenues overnight, without signing up a single new customer.
But we can sign up new customers, by selling jailbreaking software and access to Canadian app stores, for every mobile device and games console to everyone in the world, and by pitching every games publisher and app maker on selling in the Canadian app store to customers anywhere without paying a 30% vig to American big tech companies.
We could sell every mechanic in the world a $100/month subscription to a universal diagnostic tool. Every farmer in the world could buy a kit that would let them fix their own John Deere tractors without paying a $200 callout charge for a Deere technician who inspects the repair the farmer is expected to perform.
They'd beat a path to our door. Canada could become a tech export powerhouse, while making everything cheaper for Canadian tech users, while making everything more profitable for anyone who sells media or software in an online store. And – this is the best part – it’s a frontal assault on the largest, most profitable US companies, the companies that are single-handedly keeping the S&P 500 in the black, striking directly at their most profitable lines of business, taking the revenues from those ripoff scams from hundreds of billions to zero, overnight, globally.
We don't have to stop at exporting reasonably priced pharmaceuticals to Americans! We could export the extremely lucrative tools of technological liberation to our American friends, too.
That's how you win a trade-war.
What about workers? Here we have good news and bad news.
The good news is that public approval for unions is at a high mark last seen in the early 1970s, and more workers want to join a union than at any time in generations, and unions themselves are sitting on record-breaking cash reserves they could be using to organize those workers.
But here's the bad news. The unions spent the Biden years, when they had the most favorable regulatory environment since the Carter administration, when public support for unions was at an all-time high, when more workers than ever wanted to join a union, when they had more money than ever to spend on unionizing those workers, doing fuck all. They allocatid mere pittances to union organizing efforts with the result that we finished the Biden years with fewer unionized workers than we started them with.
Then we got Trump, who illegally fired National Labor Relations Board member Gwynne Wilcox, leaving the NLRB without a quorum and thus unable to act on unfair labor practices or to certify union elections.
This is terrible. But it’s not game over. Trump fired the referees, and he thinks that this means the game has ended. But here's the thing: firing the referee doesn't end the game, it just means we're throwing out the rules. Trump thinks that labor law creates unions, but he's wrong. Unions are why we have labor law. Long before unions were legal, we had unions, who fought goons and ginks and company finks in` pitched battles in the streets.
That illegal solidarity resulted in the passage of labor law, which legalized unions. Labor law is passed because workers build power through solidarity. Law doesn't create that solidarity, it merely gives it a formal basis in law. Strip away that formal basis, and the worker power remains.
Worker power is the answer to vocational awe. After all, it's good for you and your fellow workers to feel a sense of mission about your jobs. If you feel that sense of mission, if you feel the duty to protect your users, your patients, your patrons, your students, a union lets you fulfill that duty.
We saw that in 2023 when Doug Ford promised to destroy the power of Ontario's public workers. Workers across the province rose up, promising a general strike, and Doug Ford folded like one of his cheap suits. Workers kicked the shit out of him, and we'll do it again. Promises made, promises kept.
The unscheduled midair disassembly of American labor law means that workers can have each others' backs again. Tech workers need other workers' help, because tech workers aren't scarce anymore, not after a half-million layoffs. Which means tech bosses aren't afraid of them anymore.
We know how tech bosses treat workers they aren't afraid of. Look at Jeff Bezos: the workers in his warehouses are injured on the job at 3 times the national rate, his delivery drivers have to pee in bottles, and they are monitored by AI cameras that snitch on them if their eyeballs aren't in the proscribed orientation or if their mouth is open too often while they drive, because policy forbids singing along to the radio.
By contrast, Amazon coders get to show up for work with pink mohawks, facial piercings, and black t-shirts that say things their bosses don't understand. They get to pee whenever they want. Jeff Bezos isn't sentimental about tech workers, nor does he harbor a particularized hatred of warehouse workers and delivery drivers. He treats his workers as terribly as he can get away with. That means that the pee bottles are coming for the coders, too.
It's not just Amazon, of course. Take Apple. Tim Cook was elevated to CEO in 2011. Apple's board chose him to succeed founder Steve Jobs because he is the guy who figured out how to shift Apple's production to contract manufacturers in China, without skimping on quality assurance, or suffering leaks of product specifications ahead of the company's legendary showy launches.
Today, Apple's products are made in a gigantic Foxconn factory in Zhengzhou nicknamed "iPhone City.” Indeed, these devices arrive in shipping containers at the Port of Los Angeles in a state of pristine perfection, manufactured to the finest tolerances, and free of any PR leaks.
To achieve this miraculous supply chain, all Tim Cook had to do was to make iPhone City a living hell, a place that is so horrific to work that they had to install suicide nets around the worker dorms to catch the plummeting bodies of workers who were so brutalized by Tim Cook's sweatshop that they attempted to take their own lives.
Tim Cook is also not sentimentally attached to tech workers, nor is he hostile to Chinese assembly line workers. He just treats his workers as badly as he can get away with, and with mass layoffs in the tech sector he can treat his coders much, much worse
How do tech workers get unions? Well, there are tech-specific organizations like Tech Solidarity and the Tech Workers Coalition. But tech workers will only get unions by having solidarity with other workers and receiving solidarity back from them. We all need to support every union. All workers need to have each other's backs.
We are entering a period of omnishambolic polycrisis.The ominous rumble of climate change, authoritarianism, genocide, xenophobia and transphobia has turned into an avalanche. The perpetrators of these crimes against humanity have weaponized the internet, colonizing the 21st century's digital nervous system, using it to attack its host, threatening civilization itself.
The enshitternet was purpose-built for this kind of apocalyptic co-option, organized around giant corporations who will trade a habitable planet and human rights for a three percent tax cut, who default us all into twiddle-friendly algorithmic feed, and block the interoperability that would let us escape their clutches with the backing of powerful governments whom they can call upon to "protect their IP rights."
It didn't have to be this way. The enshitternet was not inevitable. It was the product of specific policy choices, made in living memory, by named individuals.
No one came down off a mountain with two stone tablets, intoning Tony Clement, James Moore: Thou shalt make it a crime for Canadians to jailbreak their phones. Those guys chose enshittification, throwing away thousands of comments from Canadians who warned them what would come of it.
We don't have to be eternal prisoners of the catastrophic policy blunders of mediocre Tory ministers. As the omnicrisis polyshambles unfolds around us, we have the means, motive and opportunity to craft Canadian policies that bolster our sovereignty, protect our rights, and help us to set every technology user, in every country (including the USA) free.
The Trump presidency is an existential crisis but it also presents opportunities. When life gives you SARS, you make sarsaparilla. We once had an old, good internet, whose major defect was that it required too much technical expertise to use, so all our normie friends were excluded from that wondrous playground.
Web 2.0's online services had greased slides that made it easy for anyone to get online, but escaping from those Web 2.0 walled gardens meant was like climbing out of a greased pit. A new, good internet is possible, and necessary. We can build it, with all the technological self-determination of the old, good internet, and the ease of use of Web 2.0.
A place where we can find each other, coordinate and mobilize to resist and survive climate collapse, fascism, genocide and authoritarianism. We can build that new, good internet, and we must.
Tumblr media
If you'd like an essay-formatted version of this post to read or share, here's a link to it on pluralistic.net, my surveillance-free, ad-free, tracker-free blog:
https://pluralistic.net/2025/02/26/ursula-franklin/#enshittification-eh
Tumblr media
639 notes · View notes
crystaldragon1997 · 10 days ago
Text
🤌✨RANT✨🤌 Personal rant
(Edit: Links to forums and updates added in reblogs and a page break for convenience)
iNaturalist (Parent company to the app Seek) just announced a collab/sell out to Google GenAI with no concerns about user data, data collection, and privacy. They issued a non apology explanation that was kinda just wishy washy and saying it's better this way. Information brought up when finding matches for your observations are going to be AI generated and so will some examples images... 
I use iNat regularly to assist my natural practices. It was like an on the go field guide to what is essentially what I consider a sacred part of my practice. And it's all getting sold to train GenAI...
I feel genuinely betrayed because we all know Google's GenAI(the lil blurb at the top of Google searches) isn't always accurate and sometimes egregiously and dangerously false. And now an app that for so long has been crowd funded, citizen science based and peer reviewed is going to instead rely on AI.... 
Waiting a little bit to delete my account hoping they take it all back but I guess I will be going to some nature centers, parks, and libraries now in hopes of collecting field guides ..
Not to mention the environmental impact Google and GenAI have on a global scale is completely opposite to what iNat has stood for and gained its following for over the years. It absolutely is breaking my heart.... Over 1.5 million dollars....
Maybe I will cool down and think this is all silly. Maybe they will walk it back. I know there are genuinely great conversations happening on the iNat forums .. but the trust feels broken.
https://www.inaturalist.org/blog/113184-inaturalist-receives-grant-to-improve-species-suggestions
133 notes · View notes
Text
forever tired of our voices being turned into commodity.
forever tired of thorough medaocrity in the AAC business. how that is rewarded. How it fails us as users. how not robust and only robust by small small amount communication systems always chosen by speech therapists and funded by insurance.
forever tired of profit over people.
forever tired of how companies collect data on every word we’ve ever said and sell to people.
forever tired of paying to communicate. of how uninsured disabled people just don’t get a voice many of the time. or have to rely on how AAC is brought into classrooms — which usually is managed to do in every possible wrong way.
forever tired of the branding and rebranding of how we communicate. Of this being amazing revealation over and over that nonspeakers are “in there” and should be able to say things. of how every single time this revelation comes with pre condition of leaving the rest behind, who can’t spell or type their way out of the cage of ableist oppression. or are not given chance & resources to. Of the branding being seen as revolution so many times and of these companies & practitioners making money off this “revolution.” of immersion weeks and CRP trainings that are thousands of dollars and wildly overpriced letterboards, and of that one nightmare Facebook group g-d damm it. How this all is put in language of communication freedom. 26 letters is infinite possibilities they say - but only for the richest of families and disabled people. The rest of us will have to live with fewer possibilities.
forever tired of engineer dads of AAC users who think they can revolutionize whole field of AAC with new terrible designed apps that you can’t say anything with them. of minimally useful AI features that invade every AAC app to cash in on the new moment and not as tool that if used ethically could actually help us, but as way of fixing our grammar our language our cultural syntax we built up to sound “proper” to sound normal. for a machine, a large language model to model a small language for us, turn our inhuman voices human enough.
forever tired of how that brand and marketing is never for us, never for the people who actually use it to communicate. it is always for everyone around us, our parents and teachers paras and SLPs and BCBAs and practitioners and doctors and everyone except the person who ends up stuck stuck with a bad organized bad implemented bad taught profit motivated way to talk. of it being called behavior problems low ability incompetence noncompliance when we don’t use these systems.
you all need to do better. We need to democritize our communication, put it in our own hands. (My friend & communication partner who was in Occupy Wall Street suggested phrase “Occupy AAC” and think that is perfect.) And not talking about badly made non-robust open source apps either. Yes a robust system needs money and recources to make it well. One person or community alone cannot turn a robotic voice into a human one. But our human voice should not be in hands of companies at all.
(this is about the Tobii Dynavox subscription thing. But also exploitive and capitalism practices and just lazy practices in AAC world overall. Both in high tech “ mainstream “ AAC and methods that are like ones I use in sense that are both super stigmatized and also super branded and marketed, Like RPM and S2C and spellers method. )
360 notes · View notes
ms-demeanor · 2 years ago
Note
I appreciate your calm-the-fuck-down post a lot, ngl - from following you, I've seen you have a pretty good handle on understanding what ToS does and doesn't say, and are good at explaining the difference - and I was hoping you could give some insight on whether or not the actually clicking the 'I agree to terms of service' button (note: multi-step process) required to turn off the New! flag makes a difference in the level of data collected - I would expect at the very least it would act as a gateway for whether or not user data is shared with the third party integration, but legalese isn't my field of study.
Agreeing to the ToS to get the little notification thing to turn off would allow tumblr live to share the data that it collects with 3rd party apps and would allow tumblr live to collect location data from your device whether or not you are actively using the app; whether you want to do this is up to you. I do generally recommend having location tracking shut off at a device level, which makes this data collection pretty useless, but I recognize that most people don't have location tracking turned off on their phones.
*HOWEVER*
People are talking about doing this to turn off the New! flag (which IS very annoying) but the most recent post from @changes makes it clear that that is an ongoing bug they are working on; Tumblr has been pretty decent recently about following up on the info they post about on the changes blog and I see no reason to believe that they won't get that bug fixed pretty quickly.
Rather than agree to the ToS I would suggest waiting a few days because I very much doubt that will stick around for long.
And this is not directed at you but I want to use this ask to point to another recent example of tumblr conspiracism: people are seeing the "new" flag as tumblr attempting to force users to agree to the live ToS even as they have offered a longer snooze period and saying that one negates the other - this is being interpreted as malice and a dark pattern and user hostile design.
And I just want to remind people that some time between eight months and a year and a half ago the notifications changed and it was briefly impossible to clear the new flag on the notification button - this is an issue that we've seen tumblr have before with "new" flags after they changed a feature. It's something that people yelled about and sent around guides for blocking the element. It's something that was addressed quickly and was done unintentionally.
I really wish people would stop attributing to malice the bullshit that happens at tumblr that is clearly the result of this website being hilariously broken and held together with hope and chewing gum.
There are ways in which this site is broken that does genuine harm and I'm willing to be cautiously optimistic that the new staff crew is taking steps to fix it (this is about blocked tags; I've been following what various staff members say about this and I have seen small positive steps, staff does seem to be making an effort to unfuck the tags and I can respect that while still being frustrated that it's taking so long). It isn't *good* that the site is held together with chewing gum and hope but it does seem like staff is at least trying to add some popsicle sticks and duct tape to that mix.
The new flag is annoying and I hope they get it fixed quickly and I believe they actually will get it fixed quickly; if you're really bothered by it there's not much harm in accepting the live ToS because the data collected by tumblr live is still pretty minimal compared to most other social media apps, but from a paranoid "fuck all this bullshit" perspective accepting the Live TOS doesn't do much harm at all if you have location data off on your devices (which I think everyone should) and use adblockers (which I think everyone should).
232 notes · View notes
rbtpracticeexamus · 5 days ago
Text
that feeling your child might be autistic: a field guide
it starts with a feeling, right?
that little "hmm" when you're watching them play. that question mark that hangs in the air after a playdate. you see a pattern, a different rhythm to their beat, but you can’t quite name it.
you're not crazy. you're observant.
this is for anyone who's ever fallen down a google rabbit hole at 2 am. this is your guide to turning "idk what's going on" into "ok, i see you, and i get it."
we're talking early signs, what milestones actually mean, and how to survive the whole diagnosis thing without losing your mind.
(for a more formal deep-dive, this great resource has u covered, but for now, let's just vibe.)!
(Read More)
first things first: "wait and see" is bad advice
anyone who tells you "oh, they'll grow out of it" can go. we're in our "act early" era.
why? because a little kid's brain is basically soft clay. it's constantly learning and building pathways. this is called neuroplasticity and it's your superpower window.!
getting support early isn't about "fixing" them. it's about giving them the cheat codes to a world that wasn't built for their brain. it's about learning their language.
cracking the code: the signs
autism is a spectrum. it's not a checklist. but there are patterns. look for a collection of these things, not just one.
the baby & toddler vibe (0-24 months)
not super into eye contact
doesn't turn their head when you call their name (by ~9 months)
doesn't share their excitement with you (not pointing at a cool thing and then looking back at you like "omg did u see that?!")
not using gestures like waving or pointing by 12-16 months
repetitive movements, like flapping hands (stimming!), rocking, or spinning in circles
gets OBSESSED with parts of objects, like the wheels on a car, instead of the whole toy
extreme reactions to sounds, textures, or lights (hates the vacuum, won't touch grass, etc.)
the preschool era (2-5 years)
this is when the social stuff gets more complex, so the differences can get louder.
speech is delayed, or they talk in a unique way (like a little professor or using lines from tv)
echolalia: repeating what you say or lines from shows. this IS communication, just fyi.
talks at you about their intense interest (hi, dinosaurs) but doesn't really have a back-and-forth convo
takes everything you say literally. "it's raining cats and dogs" is genuinely confusing.
play looks different. lots of lining things up, sorting by color, or acting out the same scene over and over.
THE NEED FOR SAMENESS. routines are life. if you cut the toast the wrong way or drive a different way home, it can cause a full-blown meltdown. this is a big one.
sensory stuff gets bigger. they might be a seeker (craves crashing, spinning, deep hugs) or an avoider (hates loud noises, tags on clothes, crowded places).
milestones are a vibe check, not a final grade
milestones are just a general map of what most kids are doing by a certain age. they are not a weapon to make you feel bad.
their only job is to help you see a pattern. if your kid is consistently missing milestones in one area (like social stuff), it gives you something specific to talk to a doctor about. it’s data for your case file.
no need for a huge chart. just know that if you're looking at the CDC's milestone app and you're checking "not yet" for a bunch of social and communication things, it's a sign to act.
ur detective kit: how to get ppl to listen
you have a gut feeling. here's how to turn it into undeniable evidence.
the notes app is ur bff. write down specific examples. not "he's difficult." but "tuesday: screamed for 15 mins at the park when i said it was time to go."
take videos. a 20-second clip of your kid stimming or not responding to their name is worth more than an hour of you trying to explain it.
trust your gut. i'm saying it again. louder this time. you know your child. if someone dismisses you, that's a them problem. find someone who listens.
the diagnosis journey: a mood board
it can be a whole thing. here's the short version.
step 1: the doc. you go to your pediatrician with your notes and videos. you say, "i have concerns. i want a referral for a developmental evaluation." be polite, but firm.
step 2: the wait. you get a referral to a specialist. the waitlist is probably a million years long. this is normal, and it sucks.![alt text]()
what to do while you wait: get on multiple lists. call your state's early intervention program (under 3) or your local school district (3+). they can often do evals for free without a doctor's referral.
step 3: the eval. it's a long appointment. they'll talk to you for ages. they'll play with your kid. they'll use official tools like the ADOS-2, which is basically a structured play session to see how your kid's social brain works.
step 4: the report. you get the results. maybe it's autism, maybe it's something else. you get a big packet that explains everything. this packet is now your key to getting services and support in school.
getting the diagnosis can feel... a lot. it can be relief and grief and fear all at once. let yourself feel it all. this isn't an end point. it's a new beginning with a better map.
life after the label
the diagnosis doesn't change who your kid is. it just gives you a better understanding of their operating system.
find ur people. seriously. find other parents of autistic kids online or irl. they get it. they will be your lifeline.
embrace neurodiversity. autism isn't a tragedy. it's a different way of being human. autistic people have insane strengths: deep focus, honesty, loyalty, creativity, a unique view of the world.
your job is to help them with the hard stuff while celebrating the cool stuff that makes them, them.
you got this.!
#autism #asd #neurodivergent #actually autistic #autism parent #parenting #child development #early intervention #stimming #special education #neurospicy #sensory processing disorder #spd #toddlers #parenting advice #mental health #advocacy #infodump #long post
reblog and add your experiences or advice. let's make this a resource for people who are in that confusing "i think my kid might be autistic" stage. you're not alone.
7 notes · View notes
therentyoupay · 10 months ago
Note
Hello, Kris! I think I might’ve already gotten the gist of it, but it’s been some time. What exactly IS Academia Mode? Are you still in school, or is this your actual job, and it just happens to be involved in the education system?
Many thanks!
hahah no worries!!! that is a good question 🤣😭😭🙏 for me, academia mode is currently finishing the 5th and final year of my doctoral program and includes (but is not limited to lol):
data collection, analysis, write-ups
writing python programs to support my data cleaning, data coding, stats, and data analysis/visualizations
applying for GRANT MONEYYYY
submitting abstract proposals to conferences (and applying for MORE GRANT MONEYYYY)
reporting research findings (writing journal article manuscripts, preparing conference slides)
writing my actual dissertation manuscript lol
supporting and instructing my research assistants
sharing my research with mainstream public audiences
writing my non-fiction book based on my ongoing dissertation research
teaching classes, grading papers, holding office hours, fielding emails, writing letters of recommendation for all sorts of students' fellowships/grad admissions/grant applications, teaching students how to strategize their personal statements, grant purpose letters, and other aspects of apps, etc.
peer-reviewing others' journal manuscripts, providing feedback to colleagues (blind review or not)
assisting with my advisor's research and textbook manuscripts (proofreading, copy-editing, internet sleuthing, finding more up-to-date citations, occasionally writing rough drafts)
writing chapters for edited volumes on various topics
READING. all the time. reading new literature and research articles constantly. ALL THE TIME. writing 1-pagers and mini-annotated bibs for future lit review use, etc.
WRITING. all the time. professional-speak, academic-speak, insructor-speak.
getting paid to travel to conferences to present my research (GRANT MONEYYYYYY)
by may 2025, i'll be a Ph.D.!!!!!! [screams]
academia mode! ✨🤣🤣🤣😭🤣💕 every day, i think about how lucky i am that i get paid to do what i do 🥹🥹🥹🥹🥹 hope you are having a magnificent day, and thank you for the ask!!
22 notes · View notes
mariacallous · 9 months ago
Text
Tim Sweeney, the CEO of Epic Games, had always worried that his company’s victory last year in a multimillion-dollar legal battle against Google’s app store monopoly wouldn’t be enough to open up competition. Even if Google could no longer keep alternative marketplaces out of Android, phone manufacturers could make them harder to access. In a US lawsuit filed in San Francisco today, that’s exactly what Epic alleges Google has conspired with Samsung to do.
Some newer Samsung phones have required settings changes to install apps from the web such as Epic’s app marketplace, according to Epic, which also develops Fortnite and Rocket Racing. The requirement became effective by default in July, and Epic launched its app store in August. Samsung claims the feature it calls Auto Blocker protects against “applications from unauthorized sources” and “malicious activity.” But it extends the installation process from 15 steps to 21, Epic alleges. The company says that it has found in the past that the greater the number of hurdles, the fewer people complete the process.
“It is not about reasonable measures to protect users against malware,” Sweeney told reporters in a briefing ahead of the lawsuit filing. “It's about obstruction of competition.”
“Contrary to Epic Game's assertions, Samsung actively fosters market competition, enhances consumer choice, and conducts its operations fairly,” said a Samsung spokesperson in a statement. “The features integrated into our devices are designed in accordance with Samsung’s core principles of security, privacy, and user control, and we remain fully committed to safeguarding users' personal data. Users have the choice to disable Auto Blocker at any time. We plan to vigorously contest Epic Game's baseless claims.”
Google didn’t immediately respond to a request for comment on the lawsuit.
The litigation builds on an effort Epic launched in 2020 to deliver more choice to mobile users and boost its own bottom line. While downloading apps any which way from just about any source is generally easy on desktops and laptops, Apple and Google have used warnings and varying policy and technical curbs to keep users downloading from the iOS App Store and Google Play, which deliver enormous profits to the tech giants by virtue of sales commissions they collect.
Epic, through a lawsuit, won a minor concession from Apple that is still being fought over; penalties against Google are expected from a judge soon.
In the press conference, Sweeney acknowledged that Epic doesn’t have clear evidence that Google and Samsung collaborated to roll out Auto Blocker. But emails and notes presented by Epic during its jury trial against Google last year showed how the search company regularly engaged in discussions with Samsung aimed at limiting competition. Google denied those accusations.
Early this month, Sweeney reached out to two senior Samsung executives to ask them to rethink the approach with Auto Blocker and allow for a smoother process to download legitimate software. Sweeney said a resolution couldn’t be reached that benefitted all developers, prompting the lawsuit. “We are going to continue to fight until there is a level playing field,” he says. He added that it “sucks” to sue Samsung, which has promoted Epic’s offerings in the past.
Epic has notched over 10 million installations of its mobile app store, short of a goal to reach 100 million by the end of the year, Sweeney says. He believes Auto Blocker and other new impediments, as he views them, have hurt Epic’s ability to gain traction. And his focus on fighting Apple and Google is costing Epic significant sums, with no end in sight to the litigation. “The benefits only come in the future, when the obstructions have truly been eliminated,” he says.
9 notes · View notes
ashethegoober · 5 months ago
Text
Alright, so… here’s the sitch… I was trying to screenshot an ad that absolutely beyond disgusts me so I could tag @staff and find out why the hell it’s allowed (that one evony ad that depicts harming an endangered species of animal iykyk) and when I saw it on my feed my immediate response (audibly) was “Oh hell no.” Now, I use an iPhone and one of the things that pops up when opening an app for the first time is the option to opt out of data tracking. I always click “Do Not Track” because my daily device is my work device too and I work in a sensitive field handling sensitive information (literal trade secrets). After my phone or tumblr or both “heard” my reaction to seeing the ad, my feed updated by jumping a bit further down. Scrolling back up revealed that the ad was removed and I’m now only getting the barely noticeable banner ads. This situation has revealed a lot to me as someone who works in software and web development. It’s that, despite requirements to comply with a user’s request (which is generous since clicking the button I do acts as an opt out), either Tumblr or Apple is not complying with my opt out and is still collecting data I did not consent to. Now this is an issue not only because it’s an invasion of my privacy, but also because a company or companies I have denied access to for data harvesting is literally stealing trade secrets which is illegal. Technically both of the things happening is illegal because both the US and EU require companies to comply with cookie opt outs as well as tracking/data harvesting opt outs filed by consumers. That’s what I did when I pressed “Do Not Track” when I open the app (not just for the first time either. It keeps asking me every time I open Tumblr and every time I deny it.)
So, @staff, would you care to explain? Surely this was a mistake and I have no need to contact the BBB and FTC?
3 notes · View notes
rjzimmerman · 11 months ago
Text
Excerpt from this story from Canary Media:
[If you want the report described in this story, here's the link.]
It’s bad enough when a public EV-charging station is out of service. It’s worse when your app doesn’t know that and sends you there just as you’re in desperate need of a charge.
This experience is all too common among the U.S. EV drivers who don’t have access to Tesla’s dependable network, per a new report on EV-charger reliability based on exhaustive data collected from the field.
Unreliable public charging infrastructure and unreliable information on EV-charger uptime have become two of the biggest barriers to the EV transition in the U.S. That’s a problem, as the country needs to shift to EVs fast in order to slash carbon emissions from transportation. But it’s a problem with clear, if complicated to implement, solutions.
So says the inaugural annual reliability report from ChargerHelp, a startup that trains and employs technicians who service and repair EV-charging stations in more than a dozen states. Its analysis of more than 19 million data points collected from public and private sources in 2023 — including real-time assessments of 4,800 chargers from ChargerHelp technicians in the field — finds that ​“software consistently overestimates station uptime, point-in-time status, and the ability to successfully charge a vehicle.” 
That doesn’t mean that the technology under the hood of public charging stations is fundamentally broken, said Kameale Terry, ChargerHelp’s CEO and co-founder. But it does mean that players in the EV-charging industry have to work together — and with the federal and state regulators setting uptime requirements for chargers being installed with the support of billions of dollars of public funds — to solve the root causes of the problems at hand. 
“When drivers say the charger doesn’t work, there’s a complex set of reasons why the charger doesn’t work,” she said. ​“It’s not as simple as a gas station. And to fix something that complex, we need to take a more collaborative approach.” 
6 notes · View notes
strangeracrossthestreet · 2 years ago
Text
I always think "it can't possibly get worse" and then it just KEEPS. GETTING. WORSE.
youtube
Soldiers use a number of overlapping programs that collect information on Palestinians to monitor and govern their movement.
Wolf Pack database:
Red Wolf: Used in permanent checkpoints where Palestinians are biometrically registered and assessed against information held on them. Soldiers teach Red Wolf by pairing new faces with IDs and other biographical information. Blue Wolf: A facial recognition app Israeli forces use in the field on raids or temporary checkpoints to capture photos of Palestinians. White Wolf: An app for settlers, allowing them to check if Palestinian workers have the correct permits. It gives the settlers access to confidential government data.
This horrid invasion of privacy beyond measure works to collect all the data of every Palestinian in the West Bank including their names, address, their family members, car license plates and whether they are "wanted" or not.
[...]According to testimonies from veterans, Israeli soldiers are even incentivized to compete with one another over who can collect the most data and photos of Palestinians. It's just one of the ways the occupation here in Hebron is being game-ified.[...]
[...]Blue Wolf enhances the military's ability to carry out, what it calls, "mapping raids", when soldiers invade Palestinians' homes to gather intelligence. Soldiers say it's part of a practice to "make their presence felt." This raid on a home in Hebron shows what Israeli mapping of Palestinian communities looks like. Around a dozen children, still half-asleep, forced to line up to have their photos taken illegally by soldiers.[...]
It just makes me sicker and sicker. You can't defend this, you cannot.
25 notes · View notes
ogxfuturetech · 10 months ago
Text
Tumblr media
The Comprehensive Guide to Web Development, Data Management, and More 
Introduction 
Everything today is technology driven in this digital world. There's a lot happening behind the scenes when you use your favorite apps, go to websites, and do other things with all of those zeroes and ones — or binary data. In this blog, I will be explaining what all these terminologies really means and other basics of web development, data management etc. We will be discussing them in the simplest way so that this becomes easy to understand for beginners or people who are even remotely interested about technology.  JOIN US
What is Web Development? 
Web development refers to the work and process of developing a website or web application that can run in a web browser. From laying out individual web page designs before we ever start coding, to how the layout will be implemented through HTML/CSS. There are two major fields of web development — front-end and back-end. 
Front-End Development 
Front-end development, also known as client-side development, is the part of web development that deals with what users see and interact with on their screens. It involves using languages like HTML, CSS, and JavaScript to create the visual elements of a website, such as buttons, forms, and images. JOIN US
HTML (HyperText Markup Language): 
HTML is the foundation of all website, it helps one to organize their content on web platform. It provides the default style to basic elements such as headings, paragraphs and links. 
CSS (Cascading Style Sheets):  
styles and formats HTML elements. It makes an attractive and user-friendly look of webpage as it controls the colors, fonts, layout. 
JavaScript :  
A language for adding interactivity to a website Users interact with items, like clicking a button to send in a form or viewing images within the slideshow. JOIN US
Back-End Development 
The difference while front-end development is all about what the user sees, back end involves everything that happens behind. The back-end consists of a server, database and application logic that runs on the web. 
Server: 
A server is a computer that holds website files and provides them to the user browser when they request it. Server-Side: These are populated by back-end developers who build and maintain servers using languages like Python, PHP or Ruby. 
Database:  
The place where a website keeps its data, from user details to content and settings The database is maintained with services like MySQL, PostgreSQL, or MongoDB. JOIN US
Application Logic —  
the code that links front-end and back-end It takes user input, gets data from the database and returns right informations to front-end area. 
Tumblr media
Why Proper Data Management is Absolutely Critical 
Data management — Besides web development this is the most important a part of our Digital World. What Is Data Management? It includes practices, policies and procedures that are used to collect store secure data in controlled way. 
Data Storage –  
data after being collected needs to be stored securely such data can be stored in relational databases or cloud storage solutions. The most important aspect here is that the data should never be accessed by an unauthorized source or breached. JOIN US
Data processing:  
Right from storing the data, with Big Data you further move on to process it in order to make sense out of hordes of raw information. This includes cleansing the data (removing errors or redundancies), finding patterns among it, and producing ideas that could be useful for decision-making. 
Data Security:  
Another important part of data management is the security of it. It refers to defending data against unauthorized access, breaches or other potential vulnerabilities. You can do this with some basic security methods, mostly encryption and access controls as well as regular auditing of your systems. 
Other Critical Tech Landmarks 
There are a lot of disciplines in the tech world that go beyond web development and data management. Here are a few of them: 
Cloud Computing 
Leading by example, AWS had established cloud computing as the on-demand delivery of IT resources and applications via web services/Internet over a decade considering all layers to make it easy from servers up to top most layer. This will enable organizations to consume technology resources in the form of pay-as-you-go model without having to purchase, own and feed that infrastructure. JOIN US
Cloud Computing Advantages:  
Main advantages are cost savings, scalability, flexibility and disaster recovery. Resources can be scaled based on usage, which means companies only pay for what they are using and have the data backed up in case of an emergency. 
Examples of Cloud Services: 
Few popular cloud services are Amazon Web Services (AWS), Microsoft Azure, and Google Cloud. These provide a plethora of services that helps to Develop and Manage App, Store Data etc. 
Cybersecurity 
As the world continues to rely more heavily on digital technologies, cybersecurity has never been a bigger issue. Protecting computer systems, networks and data from cyber attacks is called Cyber security. 
Phishing attacks, Malware, Ransomware and Data breaches: 
This is common cybersecurity threats. These threats can bear substantial ramifications, from financial damages to reputation harm for any corporation. 
Cybersecurity Best Practices:  
In order to safeguard against cybersecurity threats, it is necessary to follow best-practices including using strong passwords and two-factor authorization, updating software as required, training employees on security risks. 
Artificial Intelligence and Machine Learning 
Artificial Intelligence (AI) and Machine Learning (ML) represent the fastest-growing fields of creating systems that learn from data, identifying patterns in them. These are applied to several use-cases like self driving cars, personalization in Netflix. 
AI vs ML —  
AI is the broader concept of machines being able to carry out tasks in a way we would consider “smart”. Machine learning is a type of Artificial Intelligence (AI) that provides computers with the ability to learn without being explicitly programmed. JOIN US
Applications of Artificial Intelligence and Machine Learning: some common applications include Image recognition, Speech to text, Natural language processing, Predictive analytics Robotics. 
Web Development meets Data Management etc. 
We need so many things like web development, data management and cloud computing plus cybersecurity etc.. but some of them are most important aspects i.e. AI/ML yet more fascinating is where these fields converge or play off each other. 
Web Development and Data Management 
Web Development and Data Management goes hand in hand. The large number of websites and web-based applications in the world generate enormous amounts of data — from user interactions, to transaction records. Being able to manage this data is key in providing a fantastic user experience and enabling you to make decisions based on the right kind of information. 
E.g. E-commerce Website, products data need to be saved on server also customers data should save in a database loosely coupled with orders and payments. This data is necessary for customization of the shopping experience as well as inventory management and fraud prevention. 
Cloud Computing and Web Development 
The development of the web has been revolutionized by cloud computing which gives developers a way to allocate, deploy and scale applications more or less without service friction. Developers now can host applications and data in cloud services instead of investing for physical servers. 
E.g. A start-up company can use cloud services to roll out the web application globally in order for all users worldwide could browse it without waiting due unavailability of geolocation prohibited access. 
The Future of Cybersecurity and Data Management 
Which makes Cybersecurity a very important part of the Data management. The more data collected and stored by an organization, the greater a target it becomes for cyber threats. It is important to secure this data using robust cybersecurity measures, so that sensitive information remains intact and customer trust does not weaken. JOIN US
Ex: A healthcare provider would have to protect patient data in order to be compliant with regulations such as HIPAA (Health Insurance Portability and Accountability Act) that is also responsible for ensuring a degree of confidentiality between a provider and their patients. 
Conclusion 
Well, in a nutshell web-developer or Data manager etc are some of the integral parts for digital world.
As a Business Owner, Tech Enthusiast or even if you are just planning to make your Career in tech — it is important that you understand these. With the progress of technology never slowing down, these intersections are perhaps only going to come together more strongly and develop into cornerstones that define how we live in a digital world tomorrow. 
With the fundamental knowledge of web development, data management, automation and ML you will manage to catch up with digital movements. Whether you have a site to build, ideas data to manage or simply interested in what’s hot these days, skills and knowledge around the above will stand good for changing tech world. JOIN US
4 notes · View notes
ymishraofficial · 9 months ago
Text
Top 10 Projects for BE Electrical Engineering Students
Embarking on a Bachelor of Engineering (BE) in Electrical Engineering opens up a world of innovation and creativity. One of the best ways to apply theoretical knowledge is through practical projects that not only enhance your skills but also boost your resume. Here are the top 10 projects for BE Electrical Engineering students, designed to challenge you and showcase your talents.
1. Smart Home Automation System
Overview: Develop a system that allows users to control home appliances remotely using a smartphone app or voice commands.
Key Components:
Microcontroller (Arduino or Raspberry Pi)
Wi-Fi or Bluetooth module
Sensors (temperature, motion, light)
Learning Outcome: Understand IoT concepts and the integration of hardware and software.
2. Solar Power Generation System
Overview: Create a solar panel system that converts sunlight into electricity, suitable for powering small devices or homes.
Key Components:
Solar panels
Charge controller
Inverter
Battery storage
Learning Outcome: Gain insights into renewable energy sources and energy conversion.
3. Automated Irrigation System
Overview: Design a system that automates the watering of plants based on soil moisture levels.
Key Components:
Soil moisture sensor
Water pump
Microcontroller
Relay module
Learning Outcome: Learn about sensor integration and automation in agriculture.
4. Electric Vehicle Charging Station
Overview: Build a prototype for an electric vehicle (EV) charging station that monitors and controls charging processes.
Key Components:
Power electronics (rectifier, inverter)
Microcontroller
LCD display
Safety features (fuses, circuit breakers)
Learning Outcome: Explore the fundamentals of electric vehicles and charging technologies.
5. Gesture-Controlled Robot
Overview: Develop a robot that can be controlled using hand gestures via sensors or cameras.
Key Components:
Microcontroller (Arduino)
Motors and wheels
Ultrasonic or infrared sensors
Gesture recognition module
Learning Outcome: Understand robotics, programming, and sensor technologies.
6. Power Factor Correction System
Overview: Create a system that improves the power factor in electrical circuits to enhance efficiency.
Key Components:
Capacitors
Microcontroller
Current and voltage sensors
Relay for switching
Learning Outcome: Learn about power quality and its importance in electrical systems.
7. Wireless Power Transmission
Overview: Experiment with transmitting power wirelessly over short distances.
Key Components:
Resonant inductive coupling setup
Power source
Load (LED, small motor)
Learning Outcome: Explore concepts of electromagnetic fields and energy transfer.
8. Voice-Controlled Home Assistant
Overview: Build a home assistant that can respond to voice commands to control devices or provide information.
Key Components:
Microcontroller (Raspberry Pi preferred)
Voice recognition module
Wi-Fi module
Connected devices (lights, speakers)
Learning Outcome: Gain experience in natural language processing and AI integration.
9. Traffic Light Control System Using Microcontroller
Overview: Design a smart traffic light system that optimizes traffic flow based on real-time data.
Key Components:
Microcontroller (Arduino)
LED lights
Sensors (for vehicle detection)
Timer module
Learning Outcome: Understand traffic management systems and embedded programming.
10. Data Acquisition System
Overview: Develop a system that collects and analyzes data from various sensors (temperature, humidity, etc.).
Key Components:
Microcontroller (Arduino or Raspberry Pi)
Multiple sensors
Data logging software
Display (LCD or web interface)
Learning Outcome: Learn about data collection, processing, and analysis.
Conclusion
Engaging in these projects not only enhances your practical skills but also reinforces your theoretical knowledge. Whether you aim to develop sustainable technologies, innovate in robotics, or contribute to smart cities, these projects can serve as stepping stones in your journey as an electrical engineer. Choose a project that aligns with your interests, and don’t hesitate to seek guidance from your professors and peers. Happy engineering!
5 notes · View notes