 
Deno is now six years old. Built by Node.js creator Ryan Dahl to address what he saw as the mistakes of Node, the motivation behind Deno was simple. Node.js was too complex, too insecure, and had drifted away from JavaScript in how it worked. Deno would align with ECMAScript and be secure and simple by default.
By this definition, Deno has been an enormous success. But, it has struggled to gain widespread adoption in the JavaScript ecosystem. Despite its improvements over Node.js in terms of security and simplicity, developers and companies have remained hesitant to switch from the well-established Node.js environment where their entire code lives, especially without any compatibility between the two ecosystems.
That is changing with Deno 2.0. Deno 2.0 brings Node.js and npm compatibility directly into Deno, meaning developers can take advantage of the advances Deno has made within JS while still using the libraries and frameworks they’ve used for the past 15 years.
Deno 1: Simple & Modern
If you’re using Node.js to connect to Neon, you might write something like this:
const { Client } = require("pg");
const databaseUrl = process.env.DATABASE_URL;
if (!databaseUrl) {
 console.error("DATABASE_URL environment variable is not set");
 process.exit(1);
}
const client = new Client({
 connectionString: databaseUrl,
});
async function main() {
 try {
   await client.connect();
   const result = await client.query(
     "SELECT name, value FROM playing_with_neon LIMIT 5"
   );
   console.log("result:", result.rows);
 } catch (error) {
   console.error("An error occurred:", error);
 } finally {
   await client.end();
 }
}
main();You then run it with:
node index.jsNode.js relies on npm and package.json for dependency management, which means as soon as you npm install a package, you get all this in your directory:
Bear in mind we only installed the pg package–that’s it. A core difference between Node and Deno was these imports. In Deno 1.x, the code would have been similar because it is still JavaScript/TypeScript, but the import totally different:
import { Client } from "https://deno.land/x/postgres@v0.17.0/mod.ts";
const databaseUrl = Deno.env.get("DATABASE_URL");
if (!databaseUrl) {
 console.error("DATABASE_URL environment variable is not set");
 Deno.exit(1);
}
const client = new Client(databaseUrl);
async function main() {
 try {
   await client.connect();
   const result = await client.queryObject<{ id: number; name: string }>(
     "SELECT name, value FROM playing_with_neon LIMIT 5"
   );
   console.log("result:", result.rows);
 } catch (error) {
   console.error("An error occurred:", error);
 } finally {
   await client.end();
 }
}
main();Deno 1.x uses direct URL imports, eliminating the need for a package manager. All that is in your directory is your code. This approach to dependency management significantly simplifies the process. No installs, no package.json, no node_modules folder. Dependencies are fetched and cached on the first run, ensuring that your project remains lightweight and portable.
This streamlined approach offers several advantages:
- Reduced project complexity: Without the need for a package.json file or a node_modules folder, project structure remains clean and straightforward.
- Improved portability: Since dependencies are specified directly in the code, sharing projects becomes easier. Anyone can run your code without first installing dependencies.
- Version locking: URL imports can include specific versions (e.g. the code above is locked to version 0.17), ensuring consistency across different environments.
- Better security: Deno downloads and caches dependencies on the first run, then checks integrity on subsequent runs, reducing the risk of supply chain attacks.
- Faster startup: With no installation step, projects can be run immediately, speeding up development and deployment processes.
- Explicit dependencies: Each file lists its own dependencies, making it clear what’s being used where.
How you run the file looks different as well:
deno run --allow-net --allow-env index.tsThis is a factor of Deno’s security model. Node.js grants full system access by default. This means that every file you run has complete access to the file system and complete access to the network. Mostly OK, until a file you run contains malicious code or a vulnerability is exploited.
By default, Deno scripts have no system access. You must explicitly grant permissions when running the script to perform operations like network requests or file system access. This is what the –allow-net and –allow-env flags do in the example command. We need to access Neon over the network and access the DATABASE_URL environment variable, so we set those two flags. But if we wanted to write the output to a CSV, we couldn’t do that with the above command–we’d also need –allow-write.
This granular permission system offers several benefits:
- Enhanced security: It limits the potential damage from malicious code or compromised dependencies.
- Transparency: Developers and users can easily see what permissions a script requires.
- Least privilege principle: Scripts only get the permissions they need to function.
- Easier auditing: The required permissions can serve as a quick indicator of a script’s behavior.
These are only a couple of the Deno differences. Deno also provides a different set of APIs (e.g., Deno.env.get(), Deno.exit()), more closely aligned with browser APIs, and supports TypeScript out of the box (e.g. queryObject<{ id: number; name: string }>). Deno also provides built-in tooling for testing, formatting, and bundling, reducing the need for external tools and configuration.
All of these are excellent choices to move the JS/TS/ECMAS ecosystem forward. But as well-designed, performant, and simple as Deno is, developers continue to use Node.js–that’s where their code is, and the libraries frameworks they use are. Node.js has had twice as long to build up a robust ecosystem, and for all its faults developers want to use it. So when the mountain won’t come to you, you must go to the mountain.
Deno 2: Scale & Stability
This is what it says in the Deno 1.x to 2.x migration guide:
While we’ve accomplished a ton in Deno 1.x, the next major version is focused on using Deno at scale. This means seamless interoperability with Node.js and npm JavaScript infrastructure and supporting a wider range of projects and development teams, all without sacrificing the simplicity, security, and “batteries included” nature that developers love.
This is the crux of Deno 2.0–keep what works while allowing developers to use Deno better to scale. At its core, that means two things.
Node.js and npm compatibility
Deno stabilized npm support with the npm: specifier in Deno 1.28. Since then, they have gradually improved Node.js and npm support throughout the runtime. Deno 2.0 provides backward compatibility with Node.js and npm:
- Node.js Built-in Modules: Deno now supports most Node.js built-in modules, which can be imported using the node: prefix. For example,import * as os from "node:os";.
- CommonJS Support: Deno 2.0 improves CommonJS support, allowing developers to execute CommonJS files directly with the .cjsextension. Developers can import CommonJS modules in ES modules usingimportstatements or userequire()to import ES modules (as long as they don’t use top-level await).
- npm Packages: Developers can use npm packages directly in Deno using the npm: specifier, making leveraging the vast npm ecosystem easier.
- package.json and node_modules: Deno 2.0 understands package.jsonfiles and can work withnode_modulesdirectories, facilitating easier migration of existing Node.js projects.
- Global Variables: Deno 2.0 introduces the process global variable widely used in Node.js applications and frameworks.
If we revisit our examples from above, we can port our Node.js example to Deno. In fact, all we have to do for that is:
- Run deno installin the directory to read the package.json
- Change the file extension to .cjsas the code includes a CommonJS module
- Run deno run --allow-net --allow-env --allow-read node_index.cjswith the additional--allow-readflag so Deno can read thenode_modules
Alternatively, we can change the Deno code to use the npm version of the Postgres library. We change our import to:
import pg from "npm:pg";
const { Client } = pg;Then, we also have to change the query call itself as the pg library doesn’t support queryObject:
const result = await client.query(
     "SELECT name, value FROM playing_with_neon LIMIT 5"
   );With these trivial examples, you can already see the compatibility between Deno and Node. But this is really all about a better developer experience for serious developers who need to scale their projects. With these Node.js compatibility improvements, Deno 2.0 starts to support the Node.js frameworks almost all developers now use, like Next.js, SvelteKit, Remix, and Nuxt. You should be able to run deno task dev instead of npm run dev for the same result.
This all allows the gradual migration of existing Node.js projects to Deno while allowing developers to use familiar Node.js tools and libraries within Deno projects. Importantly, the flip is also true–Node developers can leverage Deno’s security features, tooling, DX, and modern JavaScript support while maintaining access to the npm ecosystem.
Deno LTS
Another critical part of Deno 2.0 that matters in terms of making Deno a viable solution for large builds is long-term support. Starting with v2.1.0, Deno will provide an LTS channel with six months of support for bug fixes and critical performance improvements.
LTS channels are important because they provide stability and predictability for large-scale projects and enterprises. Organizations can rely on these versions to remain consistent over an extended period, reducing the risk of unexpected behavior changes that could break their applications. Organizations can plan their upgrade cycles more effectively with a defined support period. This is especially important for large projects where upgrades must be carefully scheduled and tested.
Due to internal policies or compliance requirements, many enterprises require LTS versions for their production environments. Offering LTS makes Deno a more viable option for these organizations.
For the Deno ecosystem, this means:
- Increased adoption in production environments
- More confidence for businesses to invest in Deno-based projects
- A clearer path for organizations transitioning from Node.js to Deno
- Potential for more third-party tools and services to support Deno officially
Overall, the introduction of LTS in Deno 2.0 is a significant step towards making Deno a mature, scalable JavaScript runtime. It addresses one of the key concerns that larger organizations and projects might have had about adopting Deno, potentially accelerating its adoption in production environments alongside or as an alternative to Node.js.
Scaly Denos
Did dinosaurs have scales? I’m not sure whether feathers or scales are the current thinking, but Deno definitely has scal..ability now.
This all might look like capitulation to the Node universe, and the arrival of the package.json and node_modules in an ostensibly Deno project might bring a dinosaur tear to Deno enthusiasts. But this is just about reality and, more importantly, building what developers want or need.
The Deno team has listened to the community and heard that while they love the simplclity, security, and performance of Deno, they still live and breathe Node, so need the crossover. Deno 2 gives them just that, allowing any developer to keep building in Node and start taking full advantage of the Deno world and slowly transitioning over.




