Phoenix 1.8.0-rc.0 released!

Check the announcement blog for details!

Blog duped here for convenience:


Phoenix 1.8.0-rc released!

The first release candidate of Phoenix 1.8 is out with some big quality-of-life improvements! We’ve focused on making the getting started experience smoother, tightened up our code generators, and introduced scopes for secure data access that scales with your codebase. On the UX side, we added long-requested dark mode support — plus a few extra perks along the way. And phx.gen.auth now ships with magic link support out of the box for a better login and registration experience.

Note: This release requires Erlang/OTP 25+.

Extensible Tailwind Theming and Components with daisyUI

Phoenix 1.8 extends our built-in tailwindcss support with daisyUI, adding a flexible component and theming system. As a tailwind veteran, I appreciate how daisyUI is just tailwind with components you drop into existing workflows, while also making it simpler to apply consistent styling across your app when desired. And if you’re new or simply want to adjust the overall look and feel, daisyUI’s theming lets you make broad changes with just a few config tweaks. No fiddly markup rewrites required. Check out daisyUI’s theme generator to see what’s possible.

Note: the phx.gen.* Generators do not depend on daisyUI, and because it is a tailwind plugin, it is easy to remove and leaves no additional footprints

All phx.new apps now ship with light and dark themes out of the box, with a toggle built into the layout. Here’s the landing page and a phx.gen.live form:

see the video on the blog

Forms, rounding, shadows, typography, and more can all be adjusted with simple config changes to your app.css. This is all possible thanks to daisyUI. We also ship with the latest and greatest from the recent tailwind v4 release.

Magic Link / Passwordless Authentication by default

The phx.gen.auth generator now uses magic links by default for login and registration.

If you’re a password enthusiast, don’t fret — standard email/pass auth remains opt-in via config.

Magic links offer a user-friendly and secure alternative to regular passwords. They’ve grown in popularity for good reason:

  • No passwords to remember – fewer failed logins or locked accounts
  • Faster onboarding, especially from mobile devices

We also include a require_sudo_mode plug, which can be used for pages that contain sensitive operations and enforces recent authentication.

Our generators handle all the security details for you, and with the Dev Preview Mailbox, your dev workflow stays hassle free. Thanks to our integration with Swoosh, your email-backed auth system is ready to go the moment you’re ready to ship to prod.

Let’s see it in action:

see the video on the blog

Scopes for data access and authorization patterns that grow with you

Scopes are a new first-class pattern in Phoenix, designed to make secure data access the default, not something you remember (or forget) to do later. Reminder that broken access control is the most common OWASP vulnerability.

Scopes also help your interfaces grow with your application needs. Think about it as a container that holds information that is required in the huge majority of pages in your app. It can also hold important request metadata, such as IP addresses for rate limiting or audit tracking.

Generators like phx.gen.live, phx.gen.html, and phx.gen.json now use the current scope for generated code. From the original request, the tasks automatically thread the current scope through all the context functions like list_posts(scope) or get_post!(scope, id), ensuring your application stays locked down by default. This gives you scoped data access (queries and PubSub!), automatic filtering by user or organization, and proper foreign key fields in migrations – all out of the box.

And scopes are simple. It’s just a plain struct in your app that your app wholly owns. The moment you run phx.gen.auth, you gain a new %MyApp.Accounts.Scope{} data structure that centralizes the information for the current request or session — like the current user, their organization, or anything else your app needs to know to securely load and manipulate data, or interact with the system.

Scopes also scale with your codebase. You can define multiple scopes, augment existing ones, such as adding an :organization field to your user scope, or even configure how scope values appear in URLs for user-friendly slugs.

Scopes aren’t just a security feature. They provide a foundation for building multi-tenant, team-based, or session-isolated apps, slot cleanly into the router and LiveView lifecycle, and stay useful even outside the context of a request. Think role verification, or programmatic access patterns where you need to know if a call came from the system or an end-user.

Be sure to check out the full scopes guide for in depth instructions on using scopes in your own applications, but let’s walk thru a quick example from the guide.

Integration of scopes in the Phoenix generators

If a default scope is defined in your application’s config, the generators will generate scoped resources by default. The generated LiveViews / Controllers will automatically pass the scope to the context functions. mix phx.gen.auth automatically sets its scope as default, if there is not already a default scope defined:

# config/config.exs
config :my_app, :scopes,
  user: [
    default: true,
    ...
  ]

Let’s look at the code generated once a default scope is set:

$ mix phx.gen.live Blog Post posts title:string body:text

This creates a new Blog context, with a Post resource. To ensure the scope is available, for LiveViews the routes in your router.ex must be added to a live_session that ensures the user is authenticated:

   scope "/", MyAppWeb do
     pipe_through [:browser, :require_authenticated_user]

     live_session :require_authenticated_user,
       on_mount: [{MyAppWeb.UserAuth, :ensure_authenticated}] do
       live "/users/settings", UserLive.Settings, :edit
       live "/users/settings/confirm-email/:token", UserLive.Settings, :confirm_email

+      live "/posts", PostLive.Index, :index
+      live "/posts/new", PostLive.Form, :new
+      live "/posts/:id", PostLive.Show, :show
+      live "/posts/:id/edit", PostLive.Form, :edit
     end

     post "/users/update-password", UserSessionController, :update_password
   end

Now, let’s look at the generated LiveView (lib/my_app_web/live/post_live/index.ex):

defmodule MyAppWeb.PostLive.Index do
  use MyAppWeb, :live_view

  alias MyApp.Blog

  ...

  @impl true
  def mount(_params, _session, socket) do
    Blog.subscribe_posts(socket.assigns.current_scope)

    {:ok,
     socket
     |> assign(:page_title, "Listing Posts")
     |> stream(:posts, Blog.list_posts(socket.assigns.current_scope))}
  end

  @impl true
  def handle_event("delete", %{"id" => id}, socket) do
    post = Blog.get_post!(socket.assigns.current_scope, id)
    {:ok, _} = Blog.delete_post(socket.assigns.current_scope, post)

    {:noreply, stream_delete(socket, :posts, post)}
  end

  @impl true
  def handle_info({type, %MyApp.Blog.Post{}}, socket)
      when type in [:created, :updated, :deleted] do
    {:noreply, stream(socket, :posts, Blog.list_posts(socket.assigns.current_scope), reset: true)}
  end
end

Note that every function from the Blog context that we call gets the current_scope assign passed in as the first argument. The list_posts/1 function then uses that information to properly filter posts:

# lib/my_app/blog.ex
def list_posts(%Scope{} = scope) do
  Repo.all(from post in Post, where: post.user_id == ^scope.user.id)
end

The LiveView even subscribes to scoped PubSub messages and automatically updates the rendered list whenever a new post is created or an existing post is updated or deleted, while ensuring that only messages for the current scope are processed.

Streamlined Onboarding

Phoenix v1.7 introduced a unified developer experience for building both old-fashioned HTML apps and realtime interactive apps with LiveView. This made LiveView and HEEx function components front and center as the new building blocks for modern Phoenix applications.

As part of this effort, we introduced a core_components.ex file that provides declarative components to use throughout your app. Those components were the back-bone of the phx.gen.html code generator as well as the new phx.gen.live task. Phoenix developers would then evolve those components over time, as needed by their applications.

While these additions were useful to showcase what you can achieve with Phoenix LiveView, they would often get in the way of experienced developers, by generating too much opinionated code. At the same time, they could also overwhelm someone who was just starting with Phoenix.

Now, after receiving feedback from new and senior developers alike, and with Phoenix LiveView 1.0 officially out, we chose to simplify several of our code generators. Our goal is to give seasoned folks a better foundation to build the real features they want to ship, while giving newcomers simplified code which will help them get up to speed on the basics more quickly:

The mix phx.gen.live generator now follows its sibling, mix phx.gen.html, to provide a straight-forward CRUD interface you can build on top of, while showcasing the main LiveView concepts. In turn, this allows us to trim down the core components to only the main building blocks.

Even the mix phx.gen.auth generator, which received the magic link support and sudo mode mentioned above, does so in fewer files, fewer functions, and fewer lines of code.

The context guide has been broken apart into a few separate guides that now better explores data modeling, using ecommerce to drive the examples.

We also have new guides for authentication and authorization, which combined with scopes, gives you a solid starting point to designing secure and maintainable projects.

Simplified Layouts

We have also revised Phoenix nested layouts, root.html.heex and app.html.heex, in favor of a single layout that is then augmented with function components.

Previously, root.html.heex was the static layout and app.html.heex was the dynamic one that can be updated throughout the lifecycle of your LiveViews. This remains the case, but the app layout usage in 1.8 has been simplified.

Our prior approach set apps up with a fixed app layout via use Phoenix.LiveView, layout: ... options, which could be confusing and also required too much ceremony to support multiple app layouts programmatically. Instead, root layout remains unchanged, while the app layout has been made an explicit function component call wherever you want to include a dynamic app layout.

Here is an example of how we could augment the new app layout in Phoenix with breadcrumbs and then easily reuse them across pages.

First, we’d add an optional :breadcrumb slot to our <Layouts.app> function component, which renders the breadcrumbs above the caller’s inner block:

defmodule AppWeb.Layouts do
  use AppWeb, :html

  embed_templates "layouts/*"

  slot :breadcrumb, required: false

  def app(assigns)
    ~H"""
    ...
    <main class="px-4 py-20 sm:px-6 lg:px-8">
      <div :if={@breadcrumb != []} class="py-4 breadcrumbs text-sm">
        <ul>
          <li :for={item <- @breadcrumb}>{render_slot(item)}</li>
        </ul>
      </div>
      <div class="mx-auto max-w-2xl space-y-4">
        {render_slot(@inner_block)}
      </div>
    </main>
    """
  end
end

Then in any of our LiveViews that want breadcrumbs, the caller can declare them:

@impl true
def render(assigns) do
  ~H"""
  <Layouts.app flash={@flash}>
    <:breadcrumb>
      <.link navigate={~p"/posts"}>All Posts</.link>
    </:breadcrumb>
    <:breadcrumb>
      <.link navigate={~p"/posts/#{@post}"}>View Post</.link>
    </:breadcrumb>
    <.header>
      Post {@post.id}
      <:subtitle>This is a post record from your database.</:subtitle>
      <:actions>
        <.link class="btn" navigate={~p"/posts/#{@post}/edit"}>Edit post</.link>
      </:actions>
    </.header>
    <p>
      My LiveView Page
    </p>
  </Layouts.app>
  """
end

And this is what it looks like in action:

see the video on the blog

Notice how the app layout is now an explicit call. If you have other app layouts, like a cart page, admin page, etc, you simply write a new <Layouts.admin flash={@flash}>, passing whatever assigns you need.

Supporting something like this with our prior app layout approach would have required feeding assigns to the app layout and branching based on some conditions, and mucking with app_web.ex to support additional layout options. Now, the caller is simply free to handle their layout concerns inline.

Combined with daisyUI component classes, the streamlined layouts and onboarding experience offers a fantastic starting point for rapid development, with easy customization and a robust component system to choose from.

Try it out

You can update existing phx.new installations with:

mix archive.install hex phx_new 1.8.0-rc.0 --force

Reminder, we launched new.phoenixframework.org several months ago which lets you get up and running in seconds with Elixir and your first Phoenix project with a single command.

You can use it to take Phoenix v1.8 release candidate for a spin:

For osx/linux:

$ curl https://new.phoenixframework.org/myapp | sh

For Windows PowerShell:

> curl.exe -fsSO https://new.phoenixframework.org/app.bat; .\app.bat

Phoenix 1.8 brings improvements to developer productivity and app structure, from scoped data access that grows with your domain to tailwind theming that grows with your design. Combined with passwordless auth and lighter generators this release should streamline your app development whether you’re a new user or building along with us for the last 10 years.

Huge shoutout to Steffen Deusch and his Dashbit sponsored work for making the majority of the features here happen!

Note: This is a backwards compatible release with a few deprecations:

As always, find us on elixirforum, slack, or discord if you have questions or need help.

Happy coding!

–Chris

81 Likes

Awesome! Congrats to Chris and everyone who’s been working on this release! :orange_heart:

:049:

7 Likes

Very nice! It sounds like Scopes are what I’ve been wanting for a while now. I’m glad to see it here!

6 Likes

This is great, thank you all!

I have a nitpick question: any reason you chose current_scope over simply scope? I always thought current_user was chosen because your app is also going to have instances where you have user variables along side current_user, but there is only every one scope at a time so the current_ prefix is arguably redundant.

It’s a very small thing that ultimately does not matter, I was just curious as I like bikeshedding over naming :slight_smile: Thanks again!

3 Likes

I’ve been using a slightly more complex authorization strategy where groups are granted permission to perform actions on resources. Each user automatically belongs to their own personal group and can be added to or removed from others.

This way, Resource Foo might be viewable by [logged_in_user] and editable by [admins, designers, bob, some_other_group], and can be deleted by [admins]. The resource owner (and possibly other groups) can grant alice access to edit the doc by adding her to one of the groups with access.

To use scopes within this system, would you recommend just adding the current_user to the scope and then authenticating by checking whether the current user in the scope belongs to any groups allowed to perform the action being attempted on a given resource (e.g. :edit, Documents, 47), essentially using my existing system and auth function as is? Or is there a way to simplify the system using the new scopes system?

I’d be really interested in seeing an example repo using this scopes system to set up a basic RBAC system where users have multiple roles and multiple roles have permission to perform various actions.

3 Likes

Also, glad to see this one out and overjoyed that the upgrade is so straight-forward!

1 Like

I am curious what Phoenix 2.0 will be :smiley:

3 Likes

Even more awesome? :003:

2 Likes

Yes, at the very minimum scope should contain current_user! The way I look at it is as an abstraction over the “ownership” of the request. Simply passing User as the owner everywhere can start to show cracks after a while. Sure, you can probably get everything you need by joining through the user but that can start to get confusing, can change, and isn’t always possible. You want to populate scope at the beginning of the request (or in LV terms, at the beginning of the socket connection) with everything you need for authz (although don’t throw in everything, it should contain the bare minimum you need).

An example of where I’ve used this pattern in the past was on a procurement application that had two “god” objects: User and Company. A user belonged to a company (and a company had many users) but a user could also browse in the context of another company, ie, current_user.company didn’t always equal current_company. This was a Rails app and was useful because we could say current_company.rfps and figure out if the current_user had access to them.

You can shove other stuff into scope, like the current locale and whatnot, although that stuff is usually on the current_user so YMMV there.

Speaking of Rails, if you are looking for examples, Rails got this pattern a few years ago as the Current singleton, so if you search that you might find some examples.

2 Likes

Whoa… so many fulfilled prophecies in such a short thread.

1 Like

Hopefully not like the movie.

2 Likes

Scopes in the generators! Wonderful. This was an essential part I always had to put in a new project. Although I always called it ‘context’ so far.

Any particular reason for ‘scope’? Does the name not collide with scopes in Router which are a whole different thing?

Congrat to the team. We are spoiled :slight_smile:

Ps. It’s a long time since I used the generators. Since when do they auto subscribe to pubsub? Totally missed it :sweat_smile:

3 Likes

I loved the film (though at the time had only seen the trailer). She ends up saving the world :049:

“Context” collides with “Phoenix Contexts.” I otherwise agree that “context” is the “right” word.

The last project I worked on that used this pattern called it ApplicationContext which was a mouthful, especially since its instances were initally called current_application_context which is why I bothered ask the question I did up there.

1 Like

And “scopes” collide with scopes in router: Routing — Phoenix v1.8.0-rc.0

3 Likes

I’ve seen current_scope used to mean the masquerade user, or when a person has access to multiple companies. Then their default company or original user is stored in some other way.

Congratulations on the release! Some feedback below you may find useful or not :).

I really like the layouts change. To be honest, I never understood the need for having two layouts and it’s been a source of confusion how to use it properly. I have been using a function components in exactly the same way you describe, being it a <MainComponent breadcrumbs=[...]>...</MainConponent> already for a good while, using Surface UI, this approach works great and is simple to understand.

I do like the addition of scopes too. I don’t love the naming, as mentioned above the “Context” would be better but that’s taken. The naming of Contexts I never loved either, they’re more of “namespaces” to me. I also don’t think they’re necessary at all, but that’s another story and you can just not use them. In addition the name of “scope” collides with similar concept in router, which maybe should be called something else as well. What are “scopes” in router seem to roughly map to “route_prefix” in scope definition itself: Scopes — Phoenix v1.8.0-rc.0. Naming is hard, ugh.

Having a “scope” container for key assigns like current_account and current_role is great, and it reduces friction, but you still have to pass it around from parent LV to children components and its components. But we now know that this is not an intended use case for components. Personally I really like how this is solved in Surface UI with it’s own concept Contexts, which is what many will be more familiar with from other frameworks.

The guide for scopes mentions it requires users to be familiar with introduction and up and running, but since third way through it uses concepts that the user will not be familiar with if all they know are these two guides. Specifically it goes on to describe use with LiveView, which the user will not be familiar at this stage. May be useful to have another banner above these sections that say the required understanding for that part of the guide is knowledge of LiveView.

Removal of CoreComponents is great, I’m glad to see them gone as it was a boilerplate code that I didn’t find useful. Less is more.

Passwordless authentication is awesome addition. I really like how the auth generators handled sign in so far, this is done very properly even as an educational tool, and can’t wait to try/see how passwordless auth is done.

3 Likes

It is not mentioned in the changelog afaik but 1.8 scopes also allow for basic localized routes. The elegant generic solution pleases my eyes and I am glad Phoenix will ship with it.

2 Likes

I really hope scopes grow to be used not only for the current user but also for general dependency injection. People need someone from above to tell them the mantra “protocols are for data” is completely meaningless. Let’s make the scope polymorphic and we’ll gain flexibility and better testability!