├── .tool-versions
├── test
├── test_helper.exs
├── phx_vue3_web
│ ├── views
│ │ ├── page_view_test.exs
│ │ ├── layout_view_test.exs
│ │ └── error_view_test.exs
│ └── controllers
│ │ └── page_controller_test.exs
└── support
│ ├── channel_case.ex
│ └── conn_case.ex
├── assets
├── js
│ ├── shared.js
│ ├── vue
│ │ └── src
│ │ │ ├── assets
│ │ │ └── logo.png
│ │ │ ├── components
│ │ │ ├── About.vue
│ │ │ └── HelloWorld.vue
│ │ │ ├── main.js
│ │ │ ├── router
│ │ │ ├── routes.js
│ │ │ └── index.js
│ │ │ └── App.vue
│ └── app.js
├── package.json
├── build.js
├── css
│ ├── app.css
│ └── phoenix.css
├── vendor
│ └── topbar.js
└── yarn.lock
├── priv
├── static
│ ├── favicon.ico
│ ├── images
│ │ ├── logo.png
│ │ ├── logo1.png
│ │ └── phoenix.png
│ └── robots.txt
└── gettext
│ ├── en
│ └── LC_MESSAGES
│ │ └── errors.po
│ └── errors.pot
├── lib
├── phx_vue3
│ ├── mailer.ex
│ └── application.ex
├── phx_vue3_web
│ ├── views
│ │ ├── page_view.ex
│ │ ├── layout_view.ex
│ │ ├── error_view.ex
│ │ └── error_helpers.ex
│ ├── templates
│ │ ├── page
│ │ │ ├── vue.html.heex
│ │ │ └── index.html.heex
│ │ └── layout
│ │ │ ├── app.html.heex
│ │ │ ├── live.html.heex
│ │ │ └── root.html.heex
│ ├── controllers
│ │ └── page_controller.ex
│ ├── gettext.ex
│ ├── telemetry.ex
│ ├── endpoint.ex
│ └── router.ex
├── phx_vue3.ex
└── phx_vue3_web.ex
├── .formatter.exs
├── config
├── test.exs
├── config.exs
├── prod.exs
├── dev.exs
└── runtime.exs
├── .gitignore
├── README.md
├── mix.exs
└── mix.lock
/.tool-versions:
--------------------------------------------------------------------------------
1 | nodejs 16.14.2
--------------------------------------------------------------------------------
/test/test_helper.exs:
--------------------------------------------------------------------------------
1 | ExUnit.start()
2 |
--------------------------------------------------------------------------------
/assets/js/shared.js:
--------------------------------------------------------------------------------
1 | export const meaningOfLife = () => "The answer is 42"
--------------------------------------------------------------------------------
/priv/static/favicon.ico:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/smpallen99/phx_vue3/main/priv/static/favicon.ico
--------------------------------------------------------------------------------
/lib/phx_vue3/mailer.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3.Mailer do
2 | use Swoosh.Mailer, otp_app: :phx_vue3
3 | end
4 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/views/page_view.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.PageView do
2 | use PhxVue3Web, :view
3 | end
4 |
--------------------------------------------------------------------------------
/priv/static/images/logo.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/smpallen99/phx_vue3/main/priv/static/images/logo.png
--------------------------------------------------------------------------------
/priv/static/images/logo1.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/smpallen99/phx_vue3/main/priv/static/images/logo1.png
--------------------------------------------------------------------------------
/priv/static/images/phoenix.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/smpallen99/phx_vue3/main/priv/static/images/phoenix.png
--------------------------------------------------------------------------------
/.formatter.exs:
--------------------------------------------------------------------------------
1 | [
2 | import_deps: [:phoenix],
3 | inputs: ["*.{ex,exs}", "{config,lib,test}/**/*.{ex,exs}"]
4 | ]
5 |
--------------------------------------------------------------------------------
/assets/js/vue/src/assets/logo.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/smpallen99/phx_vue3/main/assets/js/vue/src/assets/logo.png
--------------------------------------------------------------------------------
/test/phx_vue3_web/views/page_view_test.exs:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.PageViewTest do
2 | use PhxVue3Web.ConnCase, async: true
3 | end
4 |
--------------------------------------------------------------------------------
/assets/js/vue/src/components/About.vue:
--------------------------------------------------------------------------------
1 |
3 |
4 |
5 |
Phoenix Vue Example
6 | Version: 0.1
7 |
8 |
--------------------------------------------------------------------------------
/priv/static/robots.txt:
--------------------------------------------------------------------------------
1 | # See https://www.robotstxt.org/robotstxt.html for documentation on how to use the robots.txt file
2 | #
3 | # To ban all spiders from the entire site uncomment the next two lines:
4 | # User-agent: *
5 | # Disallow: /
6 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/templates/page/vue.html.heex:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
--------------------------------------------------------------------------------
/assets/js/vue/src/main.js:
--------------------------------------------------------------------------------
1 | import { createApp } from 'vue'
2 | import App from './App.vue'
3 | import router from './router/index'
4 |
5 | console.log('main1.js')
6 | const app = createApp(App).use(router()).mount('#app')
7 |
8 | console.log('after mount')
9 |
10 |
--------------------------------------------------------------------------------
/assets/js/vue/src/router/routes.js:
--------------------------------------------------------------------------------
1 | export default [
2 | {
3 | path: "/",
4 | component: () => import('../components/HelloWorld.vue'),
5 | props: { msg: "Hello Vue 3 + esBuild" },
6 | },
7 | { path: "/about", component: () => import('../components/About.vue')},
8 | ]
--------------------------------------------------------------------------------
/lib/phx_vue3_web/templates/layout/app.html.heex:
--------------------------------------------------------------------------------
1 |
2 | <%= get_flash(@conn, :info) %>
3 | <%= get_flash(@conn, :error) %>
4 | <%= @inner_content %>
5 |
6 |
--------------------------------------------------------------------------------
/test/phx_vue3_web/controllers/page_controller_test.exs:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.PageControllerTest do
2 | use PhxVue3Web.ConnCase
3 |
4 | test "GET /", %{conn: conn} do
5 | conn = get(conn, "/")
6 | assert html_response(conn, 200) =~ "Welcome to Phoenix!"
7 | end
8 | end
9 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/controllers/page_controller.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.PageController do
2 | use PhxVue3Web, :controller
3 |
4 | def index(conn, _params) do
5 | render(conn, "index.html")
6 | end
7 |
8 | def vue(conn, _params) do
9 | render(conn, "vue.html")
10 | end
11 | end
12 |
--------------------------------------------------------------------------------
/lib/phx_vue3.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3 do
2 | @moduledoc """
3 | PhxVue3 keeps the contexts that define your domain
4 | and business logic.
5 |
6 | Contexts are also responsible for managing your data, regardless
7 | if it comes from the database, an external API or others.
8 | """
9 | end
10 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/views/layout_view.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.LayoutView do
2 | use PhxVue3Web, :view
3 |
4 | # Phoenix LiveDashboard is available only in development by default,
5 | # so we instruct Elixir to not warn if the dashboard route is missing.
6 | @compile {:no_warn_undefined, {Routes, :live_dashboard_path, 2}}
7 | end
8 |
--------------------------------------------------------------------------------
/test/phx_vue3_web/views/layout_view_test.exs:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.LayoutViewTest do
2 | use PhxVue3Web.ConnCase, async: true
3 |
4 | # When testing helpers, you may want to import Phoenix.HTML and
5 | # use functions such as safe_to_string() to convert the helper
6 | # result into an HTML string.
7 | # import Phoenix.HTML
8 | end
9 |
--------------------------------------------------------------------------------
/priv/gettext/en/LC_MESSAGES/errors.po:
--------------------------------------------------------------------------------
1 | ## `msgid`s in this file come from POT (.pot) files.
2 | ##
3 | ## Do not add, change, or remove `msgid`s manually here as
4 | ## they're tied to the ones in the corresponding POT file
5 | ## (with the same domain).
6 | ##
7 | ## Use `mix gettext.extract --merge` or `mix gettext.merge`
8 | ## to merge POT files into PO files.
9 | msgid ""
10 | msgstr ""
11 | "Language: en\n"
12 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/templates/layout/live.html.heex:
--------------------------------------------------------------------------------
1 |
2 | <%= live_flash(@flash, :info) %>
5 |
6 | <%= live_flash(@flash, :error) %>
9 |
10 | <%= @inner_content %>
11 |
12 |
--------------------------------------------------------------------------------
/priv/gettext/errors.pot:
--------------------------------------------------------------------------------
1 | ## This is a PO Template file.
2 | ##
3 | ## `msgid`s here are often extracted from source code.
4 | ## Add new translations manually only if they're dynamic
5 | ## translations that can't be statically extracted.
6 | ##
7 | ## Run `mix gettext.extract` to bring this file up to
8 | ## date. Leave `msgstr`s empty as changing them here has no
9 | ## effect: edit them in PO (`.po`) files instead.
10 |
11 |
--------------------------------------------------------------------------------
/assets/js/vue/src/router/index.js:
--------------------------------------------------------------------------------
1 | import { createRouter, createMemoryHistory, createWebHistory, createWebHashHistory } from 'vue-router'
2 | import routes from './routes'
3 |
4 | export default function (/* { store, ssrContext } */) {
5 | const createHistory = createWebHashHistory
6 |
7 | const Router = createRouter({
8 | scrollBehavior: () => ({ left: 0, top: 0 }),
9 | routes,
10 |
11 | history: createHistory()
12 | })
13 |
14 | return Router
15 | }
16 |
--------------------------------------------------------------------------------
/assets/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "dependencies": {
3 | "nprogress": "^0.2.0",
4 | "phoenix": "file:../deps/phoenix",
5 | "phoenix_html": "file:../deps/phoenix_html",
6 | "vue": "^3.2.25",
7 | "vue-router": "4"
8 | },
9 | "devDependencies": {
10 | "@vue/compiler-core": "^3.2.22",
11 | "@vue/compiler-sfc": "^3.2.22",
12 | "esbuild": "^0.14.28",
13 | "esbuild-copy-static-files": "^0.1.0",
14 | "esbuild-plugin-vue-next": "^0.1.4"
15 | }
16 | }
17 |
--------------------------------------------------------------------------------
/test/phx_vue3_web/views/error_view_test.exs:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.ErrorViewTest do
2 | use PhxVue3Web.ConnCase, async: true
3 |
4 | # Bring render/3 and render_to_string/3 for testing custom views
5 | import Phoenix.View
6 |
7 | test "renders 404.html" do
8 | assert render_to_string(PhxVue3Web.ErrorView, "404.html", []) == "Not Found"
9 | end
10 |
11 | test "renders 500.html" do
12 | assert render_to_string(PhxVue3Web.ErrorView, "500.html", []) == "Internal Server Error"
13 | end
14 | end
15 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/views/error_view.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.ErrorView do
2 | use PhxVue3Web, :view
3 |
4 | # If you want to customize a particular status code
5 | # for a certain format, you may uncomment below.
6 | # def render("500.html", _assigns) do
7 | # "Internal Server Error"
8 | # end
9 |
10 | # By default, Phoenix returns the status message from
11 | # the template name. For example, "404.html" becomes
12 | # "Not Found".
13 | def template_not_found(template, _assigns) do
14 | Phoenix.Controller.status_message_from_template(template)
15 | end
16 | end
17 |
--------------------------------------------------------------------------------
/config/test.exs:
--------------------------------------------------------------------------------
1 | import Config
2 |
3 | # We don't run a server during test. If one is required,
4 | # you can enable the server option below.
5 | config :phx_vue3, PhxVue3Web.Endpoint,
6 | http: [ip: {127, 0, 0, 1}, port: 4002],
7 | secret_key_base: "c8hNEtP1cCZG7Z5T1yrl0acvx1PwrFN09w/8eLJ3CtgvgLTl0hR5SCR8qWDkFOUy",
8 | server: false
9 |
10 | # In test we don't send emails.
11 | config :phx_vue3, PhxVue3.Mailer,
12 | adapter: Swoosh.Adapters.Test
13 |
14 | # Print only warnings and errors during test
15 | config :logger, level: :warn
16 |
17 | # Initialize plugs at runtime for faster test compilation
18 | config :phoenix, :plug_init_mode, :runtime
19 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/gettext.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.Gettext do
2 | @moduledoc """
3 | A module providing Internationalization with a gettext-based API.
4 |
5 | By using [Gettext](https://hexdocs.pm/gettext),
6 | your module gains a set of macros for translations, for example:
7 |
8 | import PhxVue3Web.Gettext
9 |
10 | # Simple translation
11 | gettext("Here is the string to translate")
12 |
13 | # Plural translation
14 | ngettext("Here is the string to translate",
15 | "Here are the strings to translate",
16 | 3)
17 |
18 | # Domain-based translation
19 | dgettext("errors", "Here is the error message to translate")
20 |
21 | See the [Gettext Docs](https://hexdocs.pm/gettext) for detailed usage.
22 | """
23 | use Gettext, otp_app: :phx_vue3
24 | end
25 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | # The directory Mix will write compiled artifacts to.
2 | /_build/
3 |
4 | # If you run "mix test --cover", coverage assets end up here.
5 | /cover/
6 |
7 | # The directory Mix downloads your dependencies sources to.
8 | /deps/
9 |
10 | # Where 3rd-party dependencies like ExDoc output generated docs.
11 | /doc/
12 |
13 | # Ignore .fetch files in case you like to edit your project deps locally.
14 | /.fetch
15 |
16 | # If the VM crashes, it generates a dump, let's ignore it too.
17 | erl_crash.dump
18 |
19 | # Also ignore archive artifacts (built via "mix archive.build").
20 | *.ez
21 |
22 | # Ignore package tarball (built via "mix hex.build").
23 | phx_vue3-*.tar
24 |
25 | # Ignore assets that are produced by build tools.
26 | /priv/static/assets/
27 |
28 | # Ignore digested assets cache.
29 | /priv/static/cache_manifest.json
30 |
31 | # In case you use Node.js/npm, you want to ignore these.
32 | npm-debug.log
33 | /assets/node_modules/
34 | node_modules
35 |
36 |
--------------------------------------------------------------------------------
/assets/js/vue/src/components/HelloWorld.vue:
--------------------------------------------------------------------------------
1 |
10 |
11 |
12 | {{ msg }}
13 |
14 |
15 | Recommended IDE setup:
16 | VSCode
17 | +
18 | Volar
19 |
20 |
21 |
22 |
23 | Vite Documentation
24 |
25 | |
26 | Vue 3 Documentation
27 |
28 |
29 | count 1 is: {{ count }}
30 |
31 | Edit
32 | components/HelloWorld.vue to test hot module replacement.
33 |
34 |
35 |
36 |
41 |
--------------------------------------------------------------------------------
/test/support/channel_case.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.ChannelCase do
2 | @moduledoc """
3 | This module defines the test case to be used by
4 | channel tests.
5 |
6 | Such tests rely on `Phoenix.ChannelTest` and also
7 | import other functionality to make it easier
8 | to build common data structures and query the data layer.
9 |
10 | Finally, if the test case interacts with the database,
11 | we enable the SQL sandbox, so changes done to the database
12 | are reverted at the end of every test. If you are using
13 | PostgreSQL, you can even run database tests asynchronously
14 | by setting `use PhxVue3Web.ChannelCase, async: true`, although
15 | this option is not recommended for other databases.
16 | """
17 |
18 | use ExUnit.CaseTemplate
19 |
20 | using do
21 | quote do
22 | # Import conveniences for testing with channels
23 | import Phoenix.ChannelTest
24 | import PhxVue3Web.ChannelCase
25 |
26 | # The default endpoint for testing
27 | @endpoint PhxVue3Web.Endpoint
28 | end
29 | end
30 |
31 | setup _tags do
32 | :ok
33 | end
34 | end
35 |
--------------------------------------------------------------------------------
/assets/js/vue/src/App.vue:
--------------------------------------------------------------------------------
1 |
13 |
14 |
15 |
16 |
17 | {{ meaningOfLife() }}
18 | HelloWorld
19 | |
20 | About
21 |
22 |
23 |
24 |
37 |
--------------------------------------------------------------------------------
/lib/phx_vue3/application.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3.Application do
2 | # See https://hexdocs.pm/elixir/Application.html
3 | # for more information on OTP Applications
4 | @moduledoc false
5 |
6 | use Application
7 |
8 | @impl true
9 | def start(_type, _args) do
10 | children = [
11 | # Start the Telemetry supervisor
12 | PhxVue3Web.Telemetry,
13 | # Start the PubSub system
14 | {Phoenix.PubSub, name: PhxVue3.PubSub},
15 | # Start the Endpoint (http/https)
16 | PhxVue3Web.Endpoint
17 | # Start a worker by calling: PhxVue3.Worker.start_link(arg)
18 | # {PhxVue3.Worker, arg}
19 | ]
20 |
21 | # See https://hexdocs.pm/elixir/Supervisor.html
22 | # for other strategies and supported options
23 | opts = [strategy: :one_for_one, name: PhxVue3.Supervisor]
24 | Supervisor.start_link(children, opts)
25 | end
26 |
27 | # Tell Phoenix to update the endpoint configuration
28 | # whenever the application is updated.
29 | @impl true
30 | def config_change(changed, _new, removed) do
31 | PhxVue3Web.Endpoint.config_change(changed, removed)
32 | :ok
33 | end
34 | end
35 |
--------------------------------------------------------------------------------
/assets/build.js:
--------------------------------------------------------------------------------
1 | const esbuild = require('esbuild')
2 | const pluginVue = require('esbuild-plugin-vue-next')
3 | const copyStaticFiles = require('esbuild-copy-static-files')
4 |
5 | const bundle = true
6 | const logLevel = process.env.ESBUILD_LOG_LEVEL || 'silent'
7 | const watch = !!process.env.ESBUILD_WATCH
8 |
9 | // support dynamic imports in Vue.
10 | const splitting = true
11 | const format = 'esm'
12 |
13 | const plugins = [
14 | pluginVue(),
15 | copyStaticFiles({
16 | src: 'js/vue/src/assets',
17 | dest: '../priv/static/images',
18 | dereference: true,
19 | errorOnExist: false,
20 | preserveTimestamps: true,
21 | recursive: true,
22 | })
23 | ]
24 |
25 | const promise = esbuild.build({
26 | entryPoints: ['js/app.js', 'js/vue/src/main.js'],
27 | bundle,
28 | target: 'es2016',
29 | plugins,
30 | outdir: '../priv/static/assets',
31 | logLevel,
32 | watch,
33 | splitting,
34 | format,
35 | // Not sure how to handle the Elixir esbuild externals yet.
36 | external: [
37 | '/images/*'
38 | ]
39 | })
40 |
41 | if (watch) {
42 | promise.then(_result => {
43 | process.stdin.on('close', () => {
44 | process.exit(0)
45 | })
46 |
47 | process.stdin.resume()
48 | })
49 | }
--------------------------------------------------------------------------------
/test/support/conn_case.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.ConnCase do
2 | @moduledoc """
3 | This module defines the test case to be used by
4 | tests that require setting up a connection.
5 |
6 | Such tests rely on `Phoenix.ConnTest` and also
7 | import other functionality to make it easier
8 | to build common data structures and query the data layer.
9 |
10 | Finally, if the test case interacts with the database,
11 | we enable the SQL sandbox, so changes done to the database
12 | are reverted at the end of every test. If you are using
13 | PostgreSQL, you can even run database tests asynchronously
14 | by setting `use PhxVue3Web.ConnCase, async: true`, although
15 | this option is not recommended for other databases.
16 | """
17 |
18 | use ExUnit.CaseTemplate
19 |
20 | using do
21 | quote do
22 | # Import conveniences for testing with connections
23 | import Plug.Conn
24 | import Phoenix.ConnTest
25 | import PhxVue3Web.ConnCase
26 |
27 | alias PhxVue3Web.Router.Helpers, as: Routes
28 |
29 | # The default endpoint for testing
30 | @endpoint PhxVue3Web.Endpoint
31 | end
32 | end
33 |
34 | setup _tags do
35 | {:ok, conn: Phoenix.ConnTest.build_conn()}
36 | end
37 | end
38 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/templates/layout/root.html.heex:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 |
6 |
7 | <%= csrf_meta_tag() %>
8 | <%= live_title_tag assigns[:page_title] || "PhxVue3", suffix: " · Phoenix Framework" %>
9 |
10 |
11 |
12 |
13 |
14 |
15 |
16 |
17 | Get Started
18 | <%= if function_exported?(Routes, :live_dashboard_path, 2) do %>
19 | <%= link "LiveDashboard", to: Routes.live_dashboard_path(@conn, :home) %>
20 | <% end %>
21 |
22 |
23 |
24 |
25 |
26 |
27 |
28 | <%= @inner_content %>
29 |
30 |
31 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # PhxVue3
2 |
3 | Project that includes a vuejs 3 project using esBuild.
4 |
5 | ## Usage
6 |
7 | Navigate to `http://localhost:400/vue` to display the simple VueJs app.
8 |
9 | ## Notes
10 |
11 | This is an early prototype to demonstrate:
12 |
13 | * configuring esBuild
14 | * copy vue asset images
15 | * include the css files
16 | * HMR for the Vue files
17 | * vue-router
18 | * dynamic import modules (see router)
19 |
20 | ### Todo
21 |
22 | 1. Get scss and sass working
23 | 1. Get store working
24 | 1. Test with production and releases
25 | 1. Add linting and formatting
26 | 1. Add component library (quasar)
27 | 1. Figure out server -> client communications (without API)
28 | * perhaps with channel connected to a pinia/vuex store?
29 |
30 | ## Misc
31 |
32 | To start your Phoenix server:
33 |
34 | * Install dependencies with `mix deps.get`
35 | * Start Phoenix endpoint with `mix phx.server` or inside IEx with `iex -S mix phx.server`
36 |
37 | Now you can visit [`localhost:4000`](http://localhost:4000) from your browser.
38 |
39 | Ready to run in production? Please [check our deployment guides](https://hexdocs.pm/phoenix/deployment.html).
40 |
41 | ## Learn more
42 |
43 | * Official website: https://www.phoenixframework.org/
44 | * Guides: https://hexdocs.pm/phoenix/overview.html
45 | * Docs: https://hexdocs.pm/phoenix
46 | * Forum: https://elixirforum.com/c/phoenix-forum
47 | * Source: https://github.com/phoenixframework/phoenix
48 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/templates/page/index.html.heex:
--------------------------------------------------------------------------------
1 |
2 | <%= gettext "Welcome to %{name}!", name: "Phoenix" %>
3 | Peace of mind from prototype to production
4 |
5 |
6 |
7 | Demo
8 | <%= link "Visit Vue App", to: Routes.page_path(@conn, :vue) %>
9 |
10 |
11 |
12 |
13 | Resources
14 |
25 |
26 |
27 | Help
28 |
45 |
46 |
47 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/telemetry.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.Telemetry do
2 | use Supervisor
3 | import Telemetry.Metrics
4 |
5 | def start_link(arg) do
6 | Supervisor.start_link(__MODULE__, arg, name: __MODULE__)
7 | end
8 |
9 | @impl true
10 | def init(_arg) do
11 | children = [
12 | # Telemetry poller will execute the given period measurements
13 | # every 10_000ms. Learn more here: https://hexdocs.pm/telemetry_metrics
14 | {:telemetry_poller, measurements: periodic_measurements(), period: 10_000}
15 | # Add reporters as children of your supervision tree.
16 | # {Telemetry.Metrics.ConsoleReporter, metrics: metrics()}
17 | ]
18 |
19 | Supervisor.init(children, strategy: :one_for_one)
20 | end
21 |
22 | def metrics do
23 | [
24 | # Phoenix Metrics
25 | summary("phoenix.endpoint.stop.duration",
26 | unit: {:native, :millisecond}
27 | ),
28 | summary("phoenix.router_dispatch.stop.duration",
29 | tags: [:route],
30 | unit: {:native, :millisecond}
31 | ),
32 |
33 | # VM Metrics
34 | summary("vm.memory.total", unit: {:byte, :kilobyte}),
35 | summary("vm.total_run_queue_lengths.total"),
36 | summary("vm.total_run_queue_lengths.cpu"),
37 | summary("vm.total_run_queue_lengths.io")
38 | ]
39 | end
40 |
41 | defp periodic_measurements do
42 | [
43 | # A module, function and arguments to be invoked periodically.
44 | # This function must call :telemetry.execute/3 and a metric must be added above.
45 | # {PhxVue3Web, :count_users, []}
46 | ]
47 | end
48 | end
49 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/endpoint.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.Endpoint do
2 | use Phoenix.Endpoint, otp_app: :phx_vue3
3 |
4 | # The session will be stored in the cookie and signed,
5 | # this means its contents can be read but not tampered with.
6 | # Set :encryption_salt if you would also like to encrypt it.
7 | @session_options [
8 | store: :cookie,
9 | key: "_phx_vue3_key",
10 | signing_salt: "0AX9Ro65"
11 | ]
12 |
13 | socket "/live", Phoenix.LiveView.Socket, websocket: [connect_info: [session: @session_options]]
14 |
15 | # Serve at "/" the static files from "priv/static" directory.
16 | #
17 | # You should set gzip to true if you are running phx.digest
18 | # when deploying your static files in production.
19 | plug Plug.Static,
20 | at: "/",
21 | from: :phx_vue3,
22 | gzip: false,
23 | only: ~w(vue assets fonts images favicon.ico robots.txt)
24 |
25 | # Code reloading can be explicitly enabled under the
26 | # :code_reloader configuration of your endpoint.
27 | if code_reloading? do
28 | socket "/phoenix/live_reload/socket", Phoenix.LiveReloader.Socket
29 | plug Phoenix.LiveReloader
30 | plug Phoenix.CodeReloader
31 | end
32 |
33 | plug Phoenix.LiveDashboard.RequestLogger,
34 | param_key: "request_logger",
35 | cookie_key: "request_logger"
36 |
37 | plug Plug.RequestId
38 | plug Plug.Telemetry, event_prefix: [:phoenix, :endpoint]
39 |
40 | plug Plug.Parsers,
41 | parsers: [:urlencoded, :multipart, :json],
42 | pass: ["*/*"],
43 | json_decoder: Phoenix.json_library()
44 |
45 | plug Plug.MethodOverride
46 | plug Plug.Head
47 | plug Plug.Session, @session_options
48 | plug PhxVue3Web.Router
49 | end
50 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/router.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.Router do
2 | use PhxVue3Web, :router
3 |
4 | pipeline :browser do
5 | plug :accepts, ["html"]
6 | plug :fetch_session
7 | plug :fetch_live_flash
8 | plug :put_root_layout, {PhxVue3Web.LayoutView, :root}
9 | plug :protect_from_forgery
10 | plug :put_secure_browser_headers
11 | end
12 |
13 | pipeline :api do
14 | plug :accepts, ["json"]
15 | end
16 |
17 | scope "/", PhxVue3Web do
18 | pipe_through :browser
19 |
20 | get "/", PageController, :index
21 | get "/vue", PageController, :vue
22 | end
23 |
24 | # Other scopes may use custom stacks.
25 | # scope "/api", PhxVue3Web do
26 | # pipe_through :api
27 | # end
28 |
29 | # Enables LiveDashboard only for development
30 | #
31 | # If you want to use the LiveDashboard in production, you should put
32 | # it behind authentication and allow only admins to access it.
33 | # If your application does not have an admins-only section yet,
34 | # you can use Plug.BasicAuth to set up some basic authentication
35 | # as long as you are also using SSL (which you should anyway).
36 | if Mix.env() in [:dev, :test] do
37 | import Phoenix.LiveDashboard.Router
38 |
39 | scope "/" do
40 | pipe_through :browser
41 |
42 | live_dashboard "/dashboard", metrics: PhxVue3Web.Telemetry
43 | end
44 | end
45 |
46 | # Enables the Swoosh mailbox preview in development.
47 | #
48 | # Note that preview only shows emails that were sent by the same
49 | # node running the Phoenix server.
50 | if Mix.env() == :dev do
51 | scope "/dev" do
52 | pipe_through :browser
53 |
54 | forward "/mailbox", Plug.Swoosh.MailboxPreview
55 | end
56 | end
57 | end
58 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web/views/error_helpers.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web.ErrorHelpers do
2 | @moduledoc """
3 | Conveniences for translating and building error messages.
4 | """
5 |
6 | use Phoenix.HTML
7 |
8 | @doc """
9 | Generates tag for inlined form input errors.
10 | """
11 | def error_tag(form, field) do
12 | Enum.map(Keyword.get_values(form.errors, field), fn error ->
13 | content_tag(:span, translate_error(error),
14 | class: "invalid-feedback",
15 | phx_feedback_for: input_name(form, field)
16 | )
17 | end)
18 | end
19 |
20 | @doc """
21 | Translates an error message using gettext.
22 | """
23 | def translate_error({msg, opts}) do
24 | # When using gettext, we typically pass the strings we want
25 | # to translate as a static argument:
26 | #
27 | # # Translate "is invalid" in the "errors" domain
28 | # dgettext("errors", "is invalid")
29 | #
30 | # # Translate the number of files with plural rules
31 | # dngettext("errors", "1 file", "%{count} files", count)
32 | #
33 | # Because the error messages we show in our forms and APIs
34 | # are defined inside Ecto, we need to translate them dynamically.
35 | # This requires us to call the Gettext module passing our gettext
36 | # backend as first argument.
37 | #
38 | # Note we use the "errors" domain, which means translations
39 | # should be written to the errors.po file. The :count option is
40 | # set by Ecto and indicates we should also apply plural rules.
41 | if count = opts[:count] do
42 | Gettext.dngettext(PhxVue3Web.Gettext, "errors", msg, msg, count, opts)
43 | else
44 | Gettext.dgettext(PhxVue3Web.Gettext, "errors", msg, opts)
45 | end
46 | end
47 | end
48 |
--------------------------------------------------------------------------------
/config/config.exs:
--------------------------------------------------------------------------------
1 | # This file is responsible for configuring your application
2 | # and its dependencies with the aid of the Config module.
3 | #
4 | # This configuration file is loaded before any dependency and
5 | # is restricted to this project.
6 |
7 | # General application configuration
8 | import Config
9 |
10 | # Configures the endpoint
11 | config :phx_vue3, PhxVue3Web.Endpoint,
12 | url: [host: "localhost"],
13 | render_errors: [view: PhxVue3Web.ErrorView, accepts: ~w(html json), layout: false],
14 | pubsub_server: PhxVue3.PubSub,
15 | live_view: [signing_salt: "34NxbGyi"]
16 |
17 | # Configures the mailer
18 | #
19 | # By default it uses the "Local" adapter which stores the emails
20 | # locally. You can see the emails in your browser, at "/dev/mailbox".
21 | #
22 | # For production it's recommended to configure a different adapter
23 | # at the `config/runtime.exs`.
24 | config :phx_vue3, PhxVue3.Mailer, adapter: Swoosh.Adapters.Local
25 |
26 | # Swoosh API client is needed for adapters other than SMTP.
27 | config :swoosh, :api_client, false
28 |
29 | # # Configure esbuild (the version is required)
30 | # config :esbuild,
31 | # version: "0.14.0",
32 | # default: [
33 | # args:
34 | # ~w(js/app.js --bundle --target=es2017 --outdir=../priv/static/assets --external:/fonts/* --external:/images/*),
35 | # cd: Path.expand("../assets", __DIR__),
36 | # env: %{"NODE_PATH" => Path.expand("../deps", __DIR__)}
37 | # ]
38 |
39 | # Configures Elixir's Logger
40 | config :logger, :console,
41 | format: "$time $metadata[$level] $message\n",
42 | metadata: [:request_id]
43 |
44 | # Use Jason for JSON parsing in Phoenix
45 | config :phoenix, :json_library, Jason
46 |
47 | # Import environment specific config. This must remain at the bottom
48 | # of this file so it overrides the configuration defined above.
49 | import_config "#{config_env()}.exs"
50 |
--------------------------------------------------------------------------------
/config/prod.exs:
--------------------------------------------------------------------------------
1 | import Config
2 |
3 | # For production, don't forget to configure the url host
4 | # to something meaningful, Phoenix uses this information
5 | # when generating URLs.
6 | #
7 | # Note we also include the path to a cache manifest
8 | # containing the digested version of static files. This
9 | # manifest is generated by the `mix phx.digest` task,
10 | # which you should run after static files are built and
11 | # before starting your production server.
12 | config :phx_vue3, PhxVue3Web.Endpoint, cache_static_manifest: "priv/static/cache_manifest.json"
13 |
14 | # Do not print debug messages in production
15 | config :logger, level: :info
16 |
17 | # ## SSL Support
18 | #
19 | # To get SSL working, you will need to add the `https` key
20 | # to the previous section and set your `:url` port to 443:
21 | #
22 | # config :phx_vue3, PhxVue3Web.Endpoint,
23 | # ...,
24 | # url: [host: "example.com", port: 443],
25 | # https: [
26 | # ...,
27 | # port: 443,
28 | # cipher_suite: :strong,
29 | # keyfile: System.get_env("SOME_APP_SSL_KEY_PATH"),
30 | # certfile: System.get_env("SOME_APP_SSL_CERT_PATH")
31 | # ]
32 | #
33 | # The `cipher_suite` is set to `:strong` to support only the
34 | # latest and more secure SSL ciphers. This means old browsers
35 | # and clients may not be supported. You can set it to
36 | # `:compatible` for wider support.
37 | #
38 | # `:keyfile` and `:certfile` expect an absolute path to the key
39 | # and cert in disk or a relative path inside priv, for example
40 | # "priv/ssl/server.key". For all supported SSL configuration
41 | # options, see https://hexdocs.pm/plug/Plug.SSL.html#configure/1
42 | #
43 | # We also recommend setting `force_ssl` in your endpoint, ensuring
44 | # no data is ever sent via http, always redirecting to https:
45 | #
46 | # config :phx_vue3, PhxVue3Web.Endpoint,
47 | # force_ssl: [hsts: true]
48 | #
49 | # Check `Plug.SSL` for all available options in `force_ssl`.
50 |
--------------------------------------------------------------------------------
/assets/js/app.js:
--------------------------------------------------------------------------------
1 | // We import the CSS which is extracted to its own file by esbuild.
2 | // Remove this line if you add a your own CSS build pipeline (e.g postcss).
3 | import "../css/app.css"
4 |
5 | // If you want to use Phoenix channels, run `mix help phx.gen.channel`
6 | // to get started and then uncomment the line below.
7 | // import "./user_socket.js"
8 |
9 | // You can include dependencies in two ways.
10 | //
11 | // The simplest option is to put them in assets/vendor and
12 | // import them using relative paths:
13 | //
14 | // import "../vendor/some-package.js"
15 | //
16 | // Alternatively, you can `npm install some-package --prefix assets` and import
17 | // them using a path starting with the package name:
18 | //
19 | // import "some-package"
20 | //
21 |
22 | // Include phoenix_html to handle method=PUT/DELETE in forms and buttons.
23 | import "phoenix_html"
24 | // Establish Phoenix Socket and LiveView configuration.
25 | // import {Socket} from "phoenix"
26 | // import {LiveSocket} from "phoenix_live_view"
27 | // import topbar from "../vendor/topbar"
28 |
29 | // let csrfToken = document.querySelector("meta[name='csrf-token']").getAttribute("content")
30 | // let liveSocket = new LiveSocket("/live", Socket, {params: {_csrf_token: csrfToken}})
31 |
32 | // Show progress bar on live navigation and form submits
33 | // topbar.config({barColors: {0: "#29d"}, shadowColor: "rgba(0, 0, 0, .3)"})
34 | // window.addEventListener("phx:page-loading-start", info => topbar.show())
35 | // window.addEventListener("phx:page-loading-stop", info => topbar.hide())
36 |
37 | // connect if there are any LiveViews on the page
38 | // liveSocket.connect()
39 |
40 | // expose liveSocket on window for web console debug logs and latency simulation:
41 | // >> liveSocket.enableDebug()
42 | // >> liveSocket.enableLatencySim(1000) // enabled for duration of browser session
43 | // >> liveSocket.disableLatencySim()
44 | // window.liveSocket = liveSocket
45 |
46 | import { meaningOfLife } from "./shared"
47 |
48 | console.log('meaning of life', meaningOfLife())
49 |
--------------------------------------------------------------------------------
/mix.exs:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3.MixProject do
2 | use Mix.Project
3 |
4 | def project do
5 | [
6 | app: :phx_vue3,
7 | version: "0.1.0",
8 | elixir: "~> 1.12",
9 | elixirc_paths: elixirc_paths(Mix.env()),
10 | compilers: [:gettext] ++ Mix.compilers(),
11 | start_permanent: Mix.env() == :prod,
12 | aliases: aliases(),
13 | deps: deps()
14 | ]
15 | end
16 |
17 | # Configuration for the OTP application.
18 | #
19 | # Type `mix help compile.app` for more information.
20 | def application do
21 | [
22 | mod: {PhxVue3.Application, []},
23 | extra_applications: [:logger, :runtime_tools]
24 | ]
25 | end
26 |
27 | # Specifies which paths to compile per environment.
28 | defp elixirc_paths(:test), do: ["lib", "test/support"]
29 | defp elixirc_paths(_), do: ["lib"]
30 |
31 | # Specifies your project dependencies.
32 | #
33 | # Type `mix help deps` for examples and options.
34 | defp deps do
35 | [
36 | {:phoenix, "~> 1.6.6"},
37 | {:phoenix_html, "~> 3.0"},
38 | {:phoenix_live_reload, "~> 1.2", only: :dev},
39 | {:phoenix_live_view, "~> 0.17.5"},
40 | {:floki, ">= 0.30.0", only: :test},
41 | {:phoenix_live_dashboard, "~> 0.6"},
42 | # {:esbuild, "~> 0.3", runtime: Mix.env() == :dev},
43 | {:swoosh, "~> 1.3"},
44 | {:telemetry_metrics, "~> 0.6"},
45 | {:telemetry_poller, "~> 1.0"},
46 | {:gettext, "~> 0.18"},
47 | {:jason, "~> 1.2"},
48 | {:plug_cowboy, "~> 2.5"}
49 | ]
50 | end
51 |
52 | # Aliases are shortcuts or tasks specific to the current project.
53 | # For example, to install project dependencies and perform other setup tasks, run:
54 | #
55 | # $ mix setup
56 | #
57 | # See the documentation for `Mix` for more info on aliases.
58 | defp aliases do
59 | [
60 | setup: ["deps.get"],
61 | # "assets.deploy": ["esbuild default --minify", "phx.digest"]
62 | "assets.deploy": ["cmd --cd assets node build.js", "phx.digest"]
63 | ]
64 | end
65 | end
66 |
--------------------------------------------------------------------------------
/config/dev.exs:
--------------------------------------------------------------------------------
1 | import Config
2 |
3 | # For development, we disable any cache and enable
4 | # debugging and code reloading.
5 | #
6 | # The watchers configuration can be used to run external
7 | # watchers to your application. For example, we use it
8 | # with esbuild to bundle .js and .css sources.
9 | config :phx_vue3, PhxVue3Web.Endpoint,
10 | # Binding to loopback ipv4 address prevents access from other machines.
11 | # Change to `ip: {0, 0, 0, 0}` to allow access from other machines.
12 | http: [ip: {127, 0, 0, 1}, port: 4000],
13 | check_origin: false,
14 | code_reloader: true,
15 | debug_errors: true,
16 | secret_key_base: "E9l6MnhbEdMm5t25EwCAIJOzkvogtZxqXLHk349l1OCXDGmzlOaLoG+T1QTJgUX+",
17 | watchers: [
18 | # Start the esbuild watcher by calling Esbuild.install_and_run(:default, args)
19 | # esbuild: {Esbuild, :install_and_run, [:default, ~w(--sourcemap=inline --watch)]}
20 | node: [
21 | "build.js",
22 | cd: Path.expand("../assets", __DIR__),
23 | env: %{
24 | "ESBUILD_LOG_LEVEL" => "silent",
25 | "ESBUILD_WATCH" => "1"
26 | }
27 | ]
28 | ]
29 |
30 | # ## SSL Support
31 | #
32 | # In order to use HTTPS in development, a self-signed
33 | # certificate can be generated by running the following
34 | # Mix task:
35 | #
36 | # mix phx.gen.cert
37 | #
38 | # Note that this task requires Erlang/OTP 20 or later.
39 | # Run `mix help phx.gen.cert` for more information.
40 | #
41 | # The `http:` config above can be replaced with:
42 | #
43 | # https: [
44 | # port: 4001,
45 | # cipher_suite: :strong,
46 | # keyfile: "priv/cert/selfsigned_key.pem",
47 | # certfile: "priv/cert/selfsigned.pem"
48 | # ],
49 | #
50 | # If desired, both `http:` and `https:` keys can be
51 | # configured to run both http and https servers on
52 | # different ports.
53 |
54 | # Watch static and templates for browser reloading.
55 | config :phx_vue3, PhxVue3Web.Endpoint,
56 | live_reload: [
57 | patterns: [
58 | ~r"priv/static/.*(js|css|png|jpeg|jpg|gif|svg)$",
59 | ~r"priv/gettext/.*(po)$",
60 | ~r"lib/phx_vue3_web/(live|views)/.*(ex)$",
61 | ~r"lib/phx_vue3_web/templates/.*(eex)$"
62 | ]
63 | ]
64 |
65 | # Do not include metadata nor timestamps in development logs
66 | config :logger, :console, format: "[$level] $message\n"
67 |
68 | # Set a higher stacktrace during development. Avoid configuring such
69 | # in production as building large stacktraces may be expensive.
70 | config :phoenix, :stacktrace_depth, 20
71 |
72 | # Initialize plugs at runtime for faster development compilation
73 | config :phoenix, :plug_init_mode, :runtime
74 |
--------------------------------------------------------------------------------
/assets/css/app.css:
--------------------------------------------------------------------------------
1 | /* This file is for your main application CSS */
2 | @import "./phoenix.css";
3 |
4 | /* Alerts and form errors used by phx.new */
5 | .alert {
6 | padding: 15px;
7 | margin-bottom: 20px;
8 | border: 1px solid transparent;
9 | border-radius: 4px;
10 | }
11 | .alert-info {
12 | color: #31708f;
13 | background-color: #d9edf7;
14 | border-color: #bce8f1;
15 | }
16 | .alert-warning {
17 | color: #8a6d3b;
18 | background-color: #fcf8e3;
19 | border-color: #faebcc;
20 | }
21 | .alert-danger {
22 | color: #a94442;
23 | background-color: #f2dede;
24 | border-color: #ebccd1;
25 | }
26 | .alert p {
27 | margin-bottom: 0;
28 | }
29 | .alert:empty {
30 | display: none;
31 | }
32 | .invalid-feedback {
33 | color: #a94442;
34 | display: block;
35 | margin: -1rem 0 2rem;
36 | }
37 |
38 | /* LiveView specific classes for your customization */
39 | .phx-no-feedback.invalid-feedback,
40 | .phx-no-feedback .invalid-feedback {
41 | display: none;
42 | }
43 |
44 | .phx-click-loading {
45 | opacity: 0.5;
46 | transition: opacity 1s ease-out;
47 | }
48 |
49 | .phx-loading{
50 | cursor: wait;
51 | }
52 |
53 | .phx-modal {
54 | opacity: 1!important;
55 | position: fixed;
56 | z-index: 1;
57 | left: 0;
58 | top: 0;
59 | width: 100%;
60 | height: 100%;
61 | overflow: auto;
62 | background-color: rgba(0,0,0,0.4);
63 | }
64 |
65 | .phx-modal-content {
66 | background-color: #fefefe;
67 | margin: 15vh auto;
68 | padding: 20px;
69 | border: 1px solid #888;
70 | width: 80%;
71 | }
72 |
73 | .phx-modal-close {
74 | color: #aaa;
75 | float: right;
76 | font-size: 28px;
77 | font-weight: bold;
78 | }
79 |
80 | .phx-modal-close:hover,
81 | .phx-modal-close:focus {
82 | color: black;
83 | text-decoration: none;
84 | cursor: pointer;
85 | }
86 |
87 | .fade-in-scale {
88 | animation: 0.2s ease-in 0s normal forwards 1 fade-in-scale-keys;
89 | }
90 |
91 | .fade-out-scale {
92 | animation: 0.2s ease-out 0s normal forwards 1 fade-out-scale-keys;
93 | }
94 |
95 | .fade-in {
96 | animation: 0.2s ease-out 0s normal forwards 1 fade-in-keys;
97 | }
98 | .fade-out {
99 | animation: 0.2s ease-out 0s normal forwards 1 fade-out-keys;
100 | }
101 |
102 | @keyframes fade-in-scale-keys{
103 | 0% { scale: 0.95; opacity: 0; }
104 | 100% { scale: 1.0; opacity: 1; }
105 | }
106 |
107 | @keyframes fade-out-scale-keys{
108 | 0% { scale: 1.0; opacity: 1; }
109 | 100% { scale: 0.95; opacity: 0; }
110 | }
111 |
112 | @keyframes fade-in-keys{
113 | 0% { opacity: 0; }
114 | 100% { opacity: 1; }
115 | }
116 |
117 | @keyframes fade-out-keys{
118 | 0% { opacity: 1; }
119 | 100% { opacity: 0; }
120 | }
121 |
--------------------------------------------------------------------------------
/lib/phx_vue3_web.ex:
--------------------------------------------------------------------------------
1 | defmodule PhxVue3Web do
2 | @moduledoc """
3 | The entrypoint for defining your web interface, such
4 | as controllers, views, channels and so on.
5 |
6 | This can be used in your application as:
7 |
8 | use PhxVue3Web, :controller
9 | use PhxVue3Web, :view
10 |
11 | The definitions below will be executed for every view,
12 | controller, etc, so keep them short and clean, focused
13 | on imports, uses and aliases.
14 |
15 | Do NOT define functions inside the quoted expressions
16 | below. Instead, define any helper function in modules
17 | and import those modules here.
18 | """
19 |
20 | def controller do
21 | quote do
22 | use Phoenix.Controller, namespace: PhxVue3Web
23 |
24 | import Plug.Conn
25 | import PhxVue3Web.Gettext
26 | alias PhxVue3Web.Router.Helpers, as: Routes
27 | end
28 | end
29 |
30 | def view do
31 | quote do
32 | use Phoenix.View,
33 | root: "lib/phx_vue3_web/templates",
34 | namespace: PhxVue3Web
35 |
36 | # Import convenience functions from controllers
37 | import Phoenix.Controller,
38 | only: [get_flash: 1, get_flash: 2, view_module: 1, view_template: 1]
39 |
40 | # Include shared imports and aliases for views
41 | unquote(view_helpers())
42 | end
43 | end
44 |
45 | def live_view do
46 | quote do
47 | use Phoenix.LiveView,
48 | layout: {PhxVue3Web.LayoutView, "live.html"}
49 |
50 | unquote(view_helpers())
51 | end
52 | end
53 |
54 | def live_component do
55 | quote do
56 | use Phoenix.LiveComponent
57 |
58 | unquote(view_helpers())
59 | end
60 | end
61 |
62 | def component do
63 | quote do
64 | use Phoenix.Component
65 |
66 | unquote(view_helpers())
67 | end
68 | end
69 |
70 | def router do
71 | quote do
72 | use Phoenix.Router
73 |
74 | import Plug.Conn
75 | import Phoenix.Controller
76 | import Phoenix.LiveView.Router
77 | end
78 | end
79 |
80 | def channel do
81 | quote do
82 | use Phoenix.Channel
83 | import PhxVue3Web.Gettext
84 | end
85 | end
86 |
87 | defp view_helpers do
88 | quote do
89 | # Use all HTML functionality (forms, tags, etc)
90 | use Phoenix.HTML
91 |
92 | # Import LiveView and .heex helpers (live_render, live_patch, <.form>, etc)
93 | import Phoenix.LiveView.Helpers
94 |
95 | # Import basic rendering functionality (render, render_layout, etc)
96 | import Phoenix.View
97 |
98 | import PhxVue3Web.ErrorHelpers
99 | import PhxVue3Web.Gettext
100 | alias PhxVue3Web.Router.Helpers, as: Routes
101 | end
102 | end
103 |
104 | @doc """
105 | When used, dispatch to the appropriate controller/view/etc.
106 | """
107 | defmacro __using__(which) when is_atom(which) do
108 | apply(__MODULE__, which, [])
109 | end
110 | end
111 |
--------------------------------------------------------------------------------
/config/runtime.exs:
--------------------------------------------------------------------------------
1 | import Config
2 |
3 | # config/runtime.exs is executed for all environments, including
4 | # during releases. It is executed after compilation and before the
5 | # system starts, so it is typically used to load production configuration
6 | # and secrets from environment variables or elsewhere. Do not define
7 | # any compile-time configuration in here, as it won't be applied.
8 | # The block below contains prod specific runtime configuration.
9 |
10 | # Start the phoenix server if environment is set and running in a release
11 | if System.get_env("PHX_SERVER") && System.get_env("RELEASE_NAME") do
12 | config :phx_vue3, PhxVue3Web.Endpoint, server: true
13 | end
14 |
15 | if config_env() == :prod do
16 | # The secret key base is used to sign/encrypt cookies and other secrets.
17 | # A default value is used in config/dev.exs and config/test.exs but you
18 | # want to use a different value for prod and you most likely don't want
19 | # to check this value into version control, so we use an environment
20 | # variable instead.
21 | secret_key_base =
22 | System.get_env("SECRET_KEY_BASE") ||
23 | raise """
24 | environment variable SECRET_KEY_BASE is missing.
25 | You can generate one by calling: mix phx.gen.secret
26 | """
27 |
28 | host = System.get_env("PHX_HOST") || "example.com"
29 | port = String.to_integer(System.get_env("PORT") || "4000")
30 |
31 | config :phx_vue3, PhxVue3Web.Endpoint,
32 | url: [host: host, port: 443],
33 | http: [
34 | # Enable IPv6 and bind on all interfaces.
35 | # Set it to {0, 0, 0, 0, 0, 0, 0, 1} for local network only access.
36 | # See the documentation on https://hexdocs.pm/plug_cowboy/Plug.Cowboy.html
37 | # for details about using IPv6 vs IPv4 and loopback vs public addresses.
38 | ip: {0, 0, 0, 0, 0, 0, 0, 0},
39 | port: port
40 | ],
41 | secret_key_base: secret_key_base
42 |
43 | # ## Using releases
44 | #
45 | # If you are doing OTP releases, you need to instruct Phoenix
46 | # to start each relevant endpoint:
47 | #
48 | # config :phx_vue3, PhxVue3Web.Endpoint, server: true
49 | #
50 | # Then you can assemble a release by calling `mix release`.
51 | # See `mix help release` for more information.
52 |
53 | # ## Configuring the mailer
54 | #
55 | # In production you need to configure the mailer to use a different adapter.
56 | # Also, you may need to configure the Swoosh API client of your choice if you
57 | # are not using SMTP. Here is an example of the configuration:
58 | #
59 | # config :phx_vue3, PhxVue3.Mailer,
60 | # adapter: Swoosh.Adapters.Mailgun,
61 | # api_key: System.get_env("MAILGUN_API_KEY"),
62 | # domain: System.get_env("MAILGUN_DOMAIN")
63 | #
64 | # For this example you need include a HTTP client required by Swoosh API client.
65 | # Swoosh supports Hackney and Finch out of the box:
66 | #
67 | # config :swoosh, :api_client, Swoosh.ApiClient.Hackney
68 | #
69 | # See https://hexdocs.pm/swoosh/Swoosh.html#module-installation for details.
70 | end
71 |
--------------------------------------------------------------------------------
/assets/vendor/topbar.js:
--------------------------------------------------------------------------------
1 | /**
2 | * @license MIT
3 | * topbar 1.0.0, 2021-01-06
4 | * https://buunguyen.github.io/topbar
5 | * Copyright (c) 2021 Buu Nguyen
6 | */
7 | (function (window, document) {
8 | "use strict";
9 |
10 | // https://gist.github.com/paulirish/1579671
11 | (function () {
12 | var lastTime = 0;
13 | var vendors = ["ms", "moz", "webkit", "o"];
14 | for (var x = 0; x < vendors.length && !window.requestAnimationFrame; ++x) {
15 | window.requestAnimationFrame =
16 | window[vendors[x] + "RequestAnimationFrame"];
17 | window.cancelAnimationFrame =
18 | window[vendors[x] + "CancelAnimationFrame"] ||
19 | window[vendors[x] + "CancelRequestAnimationFrame"];
20 | }
21 | if (!window.requestAnimationFrame)
22 | window.requestAnimationFrame = function (callback, element) {
23 | var currTime = new Date().getTime();
24 | var timeToCall = Math.max(0, 16 - (currTime - lastTime));
25 | var id = window.setTimeout(function () {
26 | callback(currTime + timeToCall);
27 | }, timeToCall);
28 | lastTime = currTime + timeToCall;
29 | return id;
30 | };
31 | if (!window.cancelAnimationFrame)
32 | window.cancelAnimationFrame = function (id) {
33 | clearTimeout(id);
34 | };
35 | })();
36 |
37 | var canvas,
38 | progressTimerId,
39 | fadeTimerId,
40 | currentProgress,
41 | showing,
42 | addEvent = function (elem, type, handler) {
43 | if (elem.addEventListener) elem.addEventListener(type, handler, false);
44 | else if (elem.attachEvent) elem.attachEvent("on" + type, handler);
45 | else elem["on" + type] = handler;
46 | },
47 | options = {
48 | autoRun: true,
49 | barThickness: 3,
50 | barColors: {
51 | 0: "rgba(26, 188, 156, .9)",
52 | ".25": "rgba(52, 152, 219, .9)",
53 | ".50": "rgba(241, 196, 15, .9)",
54 | ".75": "rgba(230, 126, 34, .9)",
55 | "1.0": "rgba(211, 84, 0, .9)",
56 | },
57 | shadowBlur: 10,
58 | shadowColor: "rgba(0, 0, 0, .6)",
59 | className: null,
60 | },
61 | repaint = function () {
62 | canvas.width = window.innerWidth;
63 | canvas.height = options.barThickness * 5; // need space for shadow
64 |
65 | var ctx = canvas.getContext("2d");
66 | ctx.shadowBlur = options.shadowBlur;
67 | ctx.shadowColor = options.shadowColor;
68 |
69 | var lineGradient = ctx.createLinearGradient(0, 0, canvas.width, 0);
70 | for (var stop in options.barColors)
71 | lineGradient.addColorStop(stop, options.barColors[stop]);
72 | ctx.lineWidth = options.barThickness;
73 | ctx.beginPath();
74 | ctx.moveTo(0, options.barThickness / 2);
75 | ctx.lineTo(
76 | Math.ceil(currentProgress * canvas.width),
77 | options.barThickness / 2
78 | );
79 | ctx.strokeStyle = lineGradient;
80 | ctx.stroke();
81 | },
82 | createCanvas = function () {
83 | canvas = document.createElement("canvas");
84 | var style = canvas.style;
85 | style.position = "fixed";
86 | style.top = style.left = style.right = style.margin = style.padding = 0;
87 | style.zIndex = 100001;
88 | style.display = "none";
89 | if (options.className) canvas.classList.add(options.className);
90 | document.body.appendChild(canvas);
91 | addEvent(window, "resize", repaint);
92 | },
93 | topbar = {
94 | config: function (opts) {
95 | for (var key in opts)
96 | if (options.hasOwnProperty(key)) options[key] = opts[key];
97 | },
98 | show: function () {
99 | if (showing) return;
100 | showing = true;
101 | if (fadeTimerId !== null) window.cancelAnimationFrame(fadeTimerId);
102 | if (!canvas) createCanvas();
103 | canvas.style.opacity = 1;
104 | canvas.style.display = "block";
105 | topbar.progress(0);
106 | if (options.autoRun) {
107 | (function loop() {
108 | progressTimerId = window.requestAnimationFrame(loop);
109 | topbar.progress(
110 | "+" + 0.05 * Math.pow(1 - Math.sqrt(currentProgress), 2)
111 | );
112 | })();
113 | }
114 | },
115 | progress: function (to) {
116 | if (typeof to === "undefined") return currentProgress;
117 | if (typeof to === "string") {
118 | to =
119 | (to.indexOf("+") >= 0 || to.indexOf("-") >= 0
120 | ? currentProgress
121 | : 0) + parseFloat(to);
122 | }
123 | currentProgress = to > 1 ? 1 : to;
124 | repaint();
125 | return currentProgress;
126 | },
127 | hide: function () {
128 | if (!showing) return;
129 | showing = false;
130 | if (progressTimerId != null) {
131 | window.cancelAnimationFrame(progressTimerId);
132 | progressTimerId = null;
133 | }
134 | (function loop() {
135 | if (topbar.progress("+.1") >= 1) {
136 | canvas.style.opacity -= 0.05;
137 | if (canvas.style.opacity <= 0.05) {
138 | canvas.style.display = "none";
139 | fadeTimerId = null;
140 | return;
141 | }
142 | }
143 | fadeTimerId = window.requestAnimationFrame(loop);
144 | })();
145 | },
146 | };
147 |
148 | if (typeof module === "object" && typeof module.exports === "object") {
149 | module.exports = topbar;
150 | } else if (typeof define === "function" && define.amd) {
151 | define(function () {
152 | return topbar;
153 | });
154 | } else {
155 | this.topbar = topbar;
156 | }
157 | }.call(this, window, document));
158 |
--------------------------------------------------------------------------------
/mix.lock:
--------------------------------------------------------------------------------
1 | %{
2 | "castore": {:hex, :castore, "0.1.16", "2675f717adc700475345c5512c381ef9273eb5df26bdd3f8c13e2636cf4cc175", [:mix], [], "hexpm", "28ed2c43d83b5c25d35c51bc0abf229ac51359c170cba76171a462ced2e4b651"},
3 | "cowboy": {:hex, :cowboy, "2.9.0", "865dd8b6607e14cf03282e10e934023a1bd8be6f6bacf921a7e2a96d800cd452", [:make, :rebar3], [{:cowlib, "2.11.0", [hex: :cowlib, repo: "hexpm", optional: false]}, {:ranch, "1.8.0", [hex: :ranch, repo: "hexpm", optional: false]}], "hexpm", "2c729f934b4e1aa149aff882f57c6372c15399a20d54f65c8d67bef583021bde"},
4 | "cowboy_telemetry": {:hex, :cowboy_telemetry, "0.4.0", "f239f68b588efa7707abce16a84d0d2acf3a0f50571f8bb7f56a15865aae820c", [:rebar3], [{:cowboy, "~> 2.7", [hex: :cowboy, repo: "hexpm", optional: false]}, {:telemetry, "~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "7d98bac1ee4565d31b62d59f8823dfd8356a169e7fcbb83831b8a5397404c9de"},
5 | "cowlib": {:hex, :cowlib, "2.11.0", "0b9ff9c346629256c42ebe1eeb769a83c6cb771a6ee5960bd110ab0b9b872063", [:make, :rebar3], [], "hexpm", "2b3e9da0b21c4565751a6d4901c20d1b4cc25cbb7fd50d91d2ab6dd287bc86a9"},
6 | "file_system": {:hex, :file_system, "0.2.10", "fb082005a9cd1711c05b5248710f8826b02d7d1784e7c3451f9c1231d4fc162d", [:mix], [], "hexpm", "41195edbfb562a593726eda3b3e8b103a309b733ad25f3d642ba49696bf715dc"},
7 | "floki": {:hex, :floki, "0.32.1", "dfe3b8db3b793939c264e6f785bca01753d17318d144bd44b407fb3493acaa87", [:mix], [{:html_entities, "~> 0.5.0", [hex: :html_entities, repo: "hexpm", optional: false]}], "hexpm", "d4b91c713e4a784a3f7b1e3cc016eefc619f6b1c3898464222867cafd3c681a3"},
8 | "gettext": {:hex, :gettext, "0.19.1", "564953fd21f29358e68b91634799d9d26989f8d039d7512622efb3c3b1c97892", [:mix], [], "hexpm", "10c656c0912b8299adba9b061c06947511e3f109ab0d18b44a866a4498e77222"},
9 | "html_entities": {:hex, :html_entities, "0.5.2", "9e47e70598da7de2a9ff6af8758399251db6dbb7eebe2b013f2bbd2515895c3c", [:mix], [], "hexpm", "c53ba390403485615623b9531e97696f076ed415e8d8058b1dbaa28181f4fdcc"},
10 | "jason": {:hex, :jason, "1.3.0", "fa6b82a934feb176263ad2df0dbd91bf633d4a46ebfdffea0c8ae82953714946", [:mix], [{:decimal, "~> 1.0 or ~> 2.0", [hex: :decimal, repo: "hexpm", optional: true]}], "hexpm", "53fc1f51255390e0ec7e50f9cb41e751c260d065dcba2bf0d08dc51a4002c2ac"},
11 | "mime": {:hex, :mime, "2.0.2", "0b9e1a4c840eafb68d820b0e2158ef5c49385d17fb36855ac6e7e087d4b1dcc5", [:mix], [], "hexpm", "e6a3f76b4c277739e36c2e21a2c640778ba4c3846189d5ab19f97f126df5f9b7"},
12 | "phoenix": {:hex, :phoenix, "1.6.6", "281c8ce8dccc9f60607346b72cdfc597c3dde134dd9df28dff08282f0b751754", [:mix], [{:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: true]}, {:phoenix_pubsub, "~> 2.0", [hex: :phoenix_pubsub, repo: "hexpm", optional: false]}, {:phoenix_view, "~> 1.0", [hex: :phoenix_view, repo: "hexpm", optional: false]}, {:plug, "~> 1.10", [hex: :plug, repo: "hexpm", optional: false]}, {:plug_cowboy, "~> 2.2", [hex: :plug_cowboy, repo: "hexpm", optional: true]}, {:plug_crypto, "~> 1.2", [hex: :plug_crypto, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "807bd646e64cd9dc83db016199715faba72758e6db1de0707eef0a2da4924364"},
13 | "phoenix_html": {:hex, :phoenix_html, "3.2.0", "1c1219d4b6cb22ac72f12f73dc5fad6c7563104d083f711c3fcd8551a1f4ae11", [:mix], [{:plug, "~> 1.5", [hex: :plug, repo: "hexpm", optional: true]}], "hexpm", "36ec97ba56d25c0136ef1992c37957e4246b649d620958a1f9fa86165f8bc54f"},
14 | "phoenix_live_dashboard": {:hex, :phoenix_live_dashboard, "0.6.5", "1495bb014be12c9a9252eca04b9af54246f6b5c1e4cd1f30210cd00ec540cf8e", [:mix], [{:ecto, "~> 3.6.2 or ~> 3.7", [hex: :ecto, repo: "hexpm", optional: true]}, {:ecto_mysql_extras, "~> 0.3", [hex: :ecto_mysql_extras, repo: "hexpm", optional: true]}, {:ecto_psql_extras, "~> 0.7", [hex: :ecto_psql_extras, repo: "hexpm", optional: true]}, {:mime, "~> 1.6 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:phoenix_live_view, "~> 0.17.7", [hex: :phoenix_live_view, repo: "hexpm", optional: false]}, {:telemetry_metrics, "~> 0.6.0", [hex: :telemetry_metrics, repo: "hexpm", optional: false]}], "hexpm", "ef4fa50dd78364409039c99cf6f98ab5209b4c5f8796c17f4db118324f0db852"},
15 | "phoenix_live_reload": {:hex, :phoenix_live_reload, "1.3.3", "3a53772a6118d5679bf50fc1670505a290e32a1d195df9e069d8c53ab040c054", [:mix], [{:file_system, "~> 0.2.1 or ~> 0.3", [hex: :file_system, repo: "hexpm", optional: false]}, {:phoenix, "~> 1.4", [hex: :phoenix, repo: "hexpm", optional: false]}], "hexpm", "766796676e5f558dbae5d1bdb066849673e956005e3730dfd5affd7a6da4abac"},
16 | "phoenix_live_view": {:hex, :phoenix_live_view, "0.17.7", "05a42377075868a678d446361effba80cefef19ab98941c01a7a4c7560b29121", [:mix], [{:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: true]}, {:phoenix, "~> 1.5.9 or ~> 1.6.0", [hex: :phoenix, repo: "hexpm", optional: false]}, {:phoenix_html, "~> 3.1", [hex: :phoenix_html, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4.2 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "25eaf41028eb351b90d4f69671874643a09944098fefd0d01d442f40a6091b6f"},
17 | "phoenix_pubsub": {:hex, :phoenix_pubsub, "2.0.0", "a1ae76717bb168cdeb10ec9d92d1480fec99e3080f011402c0a2d68d47395ffb", [:mix], [], "hexpm", "c52d948c4f261577b9c6fa804be91884b381a7f8f18450c5045975435350f771"},
18 | "phoenix_view": {:hex, :phoenix_view, "1.1.2", "1b82764a065fb41051637872c7bd07ed2fdb6f5c3bd89684d4dca6e10115c95a", [:mix], [{:phoenix_html, "~> 2.14.2 or ~> 3.0", [hex: :phoenix_html, repo: "hexpm", optional: true]}], "hexpm", "7ae90ad27b09091266f6adbb61e1d2516a7c3d7062c6789d46a7554ec40f3a56"},
19 | "plug": {:hex, :plug, "1.13.4", "addb6e125347226e3b11489e23d22a60f7ab74786befb86c14f94fb5f23ca9a4", [:mix], [{:mime, "~> 1.0 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:plug_crypto, "~> 1.1.1 or ~> 1.2", [hex: :plug_crypto, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4.3 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "06114c1f2a334212fe3ae567dbb3b1d29fd492c1a09783d52f3d489c1a6f4cf2"},
20 | "plug_cowboy": {:hex, :plug_cowboy, "2.5.2", "62894ccd601cf9597e2c23911ff12798a8a18d237e9739f58a6b04e4988899fe", [:mix], [{:cowboy, "~> 2.7", [hex: :cowboy, repo: "hexpm", optional: false]}, {:cowboy_telemetry, "~> 0.3", [hex: :cowboy_telemetry, repo: "hexpm", optional: false]}, {:plug, "~> 1.7", [hex: :plug, repo: "hexpm", optional: false]}], "hexpm", "ea6e87f774c8608d60c8d34022a7d073bd7680a0a013f049fc62bf35efea1044"},
21 | "plug_crypto": {:hex, :plug_crypto, "1.2.2", "05654514ac717ff3a1843204b424477d9e60c143406aa94daf2274fdd280794d", [:mix], [], "hexpm", "87631c7ad914a5a445f0a3809f99b079113ae4ed4b867348dd9eec288cecb6db"},
22 | "ranch": {:hex, :ranch, "1.8.0", "8c7a100a139fd57f17327b6413e4167ac559fbc04ca7448e9be9057311597a1d", [:make, :rebar3], [], "hexpm", "49fbcfd3682fab1f5d109351b61257676da1a2fdbe295904176d5e521a2ddfe5"},
23 | "swoosh": {:hex, :swoosh, "1.6.3", "598d3f07641004bedb3eede40057760ae18be1073cff72f079ca1e1fc9cd97b9", [:mix], [{:cowboy, "~> 1.1 or ~> 2.4", [hex: :cowboy, repo: "hexpm", optional: true]}, {:finch, "~> 0.6", [hex: :finch, repo: "hexpm", optional: true]}, {:gen_smtp, "~> 0.13 or ~> 1.0", [hex: :gen_smtp, repo: "hexpm", optional: true]}, {:hackney, "~> 1.9", [hex: :hackney, repo: "hexpm", optional: true]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: false]}, {:mail, "~> 0.2", [hex: :mail, repo: "hexpm", optional: true]}, {:mime, "~> 1.1 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:plug_cowboy, ">= 1.0.0", [hex: :plug_cowboy, repo: "hexpm", optional: true]}, {:telemetry, "~> 0.4.2 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "81ff9d7c7c4005a57465a7eb712edd71db51829aef94c8a34c30c5b9e9964adf"},
24 | "telemetry": {:hex, :telemetry, "1.0.0", "0f453a102cdf13d506b7c0ab158324c337c41f1cc7548f0bc0e130bbf0ae9452", [:rebar3], [], "hexpm", "73bc09fa59b4a0284efb4624335583c528e07ec9ae76aca96ea0673850aec57a"},
25 | "telemetry_metrics": {:hex, :telemetry_metrics, "0.6.1", "315d9163a1d4660aedc3fee73f33f1d355dcc76c5c3ab3d59e76e3edf80eef1f", [:mix], [{:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "7be9e0871c41732c233be71e4be11b96e56177bf15dde64a8ac9ce72ac9834c6"},
26 | "telemetry_poller": {:hex, :telemetry_poller, "1.0.0", "db91bb424e07f2bb6e73926fcafbfcbcb295f0193e0a00e825e589a0a47e8453", [:rebar3], [{:telemetry, "~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "b3a24eafd66c3f42da30fc3ca7dda1e9d546c12250a2d60d7b81d264fbec4f6e"},
27 | }
28 |
--------------------------------------------------------------------------------
/assets/css/phoenix.css:
--------------------------------------------------------------------------------
1 | /* Includes some default style for the starter application.
2 | * This can be safely deleted to start fresh.
3 | */
4 |
5 | /* Milligram v1.4.1 https://milligram.github.io
6 | * Copyright (c) 2020 CJ Patoilo Licensed under the MIT license
7 | */
8 |
9 | *,*:after,*:before{box-sizing:inherit}html{box-sizing:border-box;font-size:62.5%}body{color:#000000;font-family:'Helvetica Neue', 'Helvetica', 'Arial', sans-serif;font-size:1.6em;font-weight:300;letter-spacing:.01em;line-height:1.6}blockquote{border-left:0.3rem solid #d1d1d1;margin-left:0;margin-right:0;padding:1rem 1.5rem}blockquote *:last-child{margin-bottom:0}.button,button,input[type='button'],input[type='reset'],input[type='submit']{background-color:#0069d9;border:0.1rem solid #0069d9;border-radius:.4rem;color:#fff;cursor:pointer;display:inline-block;font-size:1.1rem;font-weight:700;height:3.8rem;letter-spacing:.1rem;line-height:3.8rem;padding:0 3.0rem;text-align:center;text-decoration:none;text-transform:uppercase;white-space:nowrap}.button:focus,.button:hover,button:focus,button:hover,input[type='button']:focus,input[type='button']:hover,input[type='reset']:focus,input[type='reset']:hover,input[type='submit']:focus,input[type='submit']:hover{background-color:#606c76;border-color:#606c76;color:#fff;outline:0}.button[disabled],button[disabled],input[type='button'][disabled],input[type='reset'][disabled],input[type='submit'][disabled]{cursor:default;opacity:.5}.button[disabled]:focus,.button[disabled]:hover,button[disabled]:focus,button[disabled]:hover,input[type='button'][disabled]:focus,input[type='button'][disabled]:hover,input[type='reset'][disabled]:focus,input[type='reset'][disabled]:hover,input[type='submit'][disabled]:focus,input[type='submit'][disabled]:hover{background-color:#0069d9;border-color:#0069d9}.button.button-outline,button.button-outline,input[type='button'].button-outline,input[type='reset'].button-outline,input[type='submit'].button-outline{background-color:transparent;color:#0069d9}.button.button-outline:focus,.button.button-outline:hover,button.button-outline:focus,button.button-outline:hover,input[type='button'].button-outline:focus,input[type='button'].button-outline:hover,input[type='reset'].button-outline:focus,input[type='reset'].button-outline:hover,input[type='submit'].button-outline:focus,input[type='submit'].button-outline:hover{background-color:transparent;border-color:#606c76;color:#606c76}.button.button-outline[disabled]:focus,.button.button-outline[disabled]:hover,button.button-outline[disabled]:focus,button.button-outline[disabled]:hover,input[type='button'].button-outline[disabled]:focus,input[type='button'].button-outline[disabled]:hover,input[type='reset'].button-outline[disabled]:focus,input[type='reset'].button-outline[disabled]:hover,input[type='submit'].button-outline[disabled]:focus,input[type='submit'].button-outline[disabled]:hover{border-color:inherit;color:#0069d9}.button.button-clear,button.button-clear,input[type='button'].button-clear,input[type='reset'].button-clear,input[type='submit'].button-clear{background-color:transparent;border-color:transparent;color:#0069d9}.button.button-clear:focus,.button.button-clear:hover,button.button-clear:focus,button.button-clear:hover,input[type='button'].button-clear:focus,input[type='button'].button-clear:hover,input[type='reset'].button-clear:focus,input[type='reset'].button-clear:hover,input[type='submit'].button-clear:focus,input[type='submit'].button-clear:hover{background-color:transparent;border-color:transparent;color:#606c76}.button.button-clear[disabled]:focus,.button.button-clear[disabled]:hover,button.button-clear[disabled]:focus,button.button-clear[disabled]:hover,input[type='button'].button-clear[disabled]:focus,input[type='button'].button-clear[disabled]:hover,input[type='reset'].button-clear[disabled]:focus,input[type='reset'].button-clear[disabled]:hover,input[type='submit'].button-clear[disabled]:focus,input[type='submit'].button-clear[disabled]:hover{color:#0069d9}code{background:#f4f5f6;border-radius:.4rem;font-size:86%;margin:0 .2rem;padding:.2rem .5rem;white-space:nowrap}pre{background:#f4f5f6;border-left:0.3rem solid #0069d9;overflow-y:hidden}pre>code{border-radius:0;display:block;padding:1rem 1.5rem;white-space:pre}hr{border:0;border-top:0.1rem solid #f4f5f6;margin:3.0rem 0}input[type='color'],input[type='date'],input[type='datetime'],input[type='datetime-local'],input[type='email'],input[type='month'],input[type='number'],input[type='password'],input[type='search'],input[type='tel'],input[type='text'],input[type='url'],input[type='week'],input:not([type]),textarea,select{-webkit-appearance:none;background-color:transparent;border:0.1rem solid #d1d1d1;border-radius:.4rem;box-shadow:none;box-sizing:inherit;height:3.8rem;padding:.6rem 1.0rem .7rem;width:100%}input[type='color']:focus,input[type='date']:focus,input[type='datetime']:focus,input[type='datetime-local']:focus,input[type='email']:focus,input[type='month']:focus,input[type='number']:focus,input[type='password']:focus,input[type='search']:focus,input[type='tel']:focus,input[type='text']:focus,input[type='url']:focus,input[type='week']:focus,input:not([type]):focus,textarea:focus,select:focus{border-color:#0069d9;outline:0}select{background:url('data:image/svg+xml;utf8, ') center right no-repeat;padding-right:3.0rem}select:focus{background-image:url('data:image/svg+xml;utf8, ')}select[multiple]{background:none;height:auto}textarea{min-height:6.5rem}label,legend{display:block;font-size:1.6rem;font-weight:700;margin-bottom:.5rem}fieldset{border-width:0;padding:0}input[type='checkbox'],input[type='radio']{display:inline}.label-inline{display:inline-block;font-weight:normal;margin-left:.5rem}.container{margin:0 auto;max-width:112.0rem;padding:0 2.0rem;position:relative;width:100%}.row{display:flex;flex-direction:column;padding:0;width:100%}.row.row-no-padding{padding:0}.row.row-no-padding>.column{padding:0}.row.row-wrap{flex-wrap:wrap}.row.row-top{align-items:flex-start}.row.row-bottom{align-items:flex-end}.row.row-center{align-items:center}.row.row-stretch{align-items:stretch}.row.row-baseline{align-items:baseline}.row .column{display:block;flex:1 1 auto;margin-left:0;max-width:100%;width:100%}.row .column.column-offset-10{margin-left:10%}.row .column.column-offset-20{margin-left:20%}.row .column.column-offset-25{margin-left:25%}.row .column.column-offset-33,.row .column.column-offset-34{margin-left:33.3333%}.row .column.column-offset-40{margin-left:40%}.row .column.column-offset-50{margin-left:50%}.row .column.column-offset-60{margin-left:60%}.row .column.column-offset-66,.row .column.column-offset-67{margin-left:66.6666%}.row .column.column-offset-75{margin-left:75%}.row .column.column-offset-80{margin-left:80%}.row .column.column-offset-90{margin-left:90%}.row .column.column-10{flex:0 0 10%;max-width:10%}.row .column.column-20{flex:0 0 20%;max-width:20%}.row .column.column-25{flex:0 0 25%;max-width:25%}.row .column.column-33,.row .column.column-34{flex:0 0 33.3333%;max-width:33.3333%}.row .column.column-40{flex:0 0 40%;max-width:40%}.row .column.column-50{flex:0 0 50%;max-width:50%}.row .column.column-60{flex:0 0 60%;max-width:60%}.row .column.column-66,.row .column.column-67{flex:0 0 66.6666%;max-width:66.6666%}.row .column.column-75{flex:0 0 75%;max-width:75%}.row .column.column-80{flex:0 0 80%;max-width:80%}.row .column.column-90{flex:0 0 90%;max-width:90%}.row .column .column-top{align-self:flex-start}.row .column .column-bottom{align-self:flex-end}.row .column .column-center{align-self:center}@media (min-width: 40rem){.row{flex-direction:row;margin-left:-1.0rem;width:calc(100% + 2.0rem)}.row .column{margin-bottom:inherit;padding:0 1.0rem}}a{color:#0069d9;text-decoration:none}a:focus,a:hover{color:#606c76}dl,ol,ul{list-style:none;margin-top:0;padding-left:0}dl dl,dl ol,dl ul,ol dl,ol ol,ol ul,ul dl,ul ol,ul ul{font-size:90%;margin:1.5rem 0 1.5rem 3.0rem}ol{list-style:decimal inside}ul{list-style:circle inside}.button,button,dd,dt,li{margin-bottom:1.0rem}fieldset,input,select,textarea{margin-bottom:1.5rem}blockquote,dl,figure,form,ol,p,pre,table,ul{margin-bottom:2.5rem}table{border-spacing:0;display:block;overflow-x:auto;text-align:left;width:100%}td,th{border-bottom:0.1rem solid #e1e1e1;padding:1.2rem 1.5rem}td:first-child,th:first-child{padding-left:0}td:last-child,th:last-child{padding-right:0}@media (min-width: 40rem){table{display:table;overflow-x:initial}}b,strong{font-weight:bold}p{margin-top:0}h1,h2,h3,h4,h5,h6{font-weight:300;letter-spacing:-.1rem;margin-bottom:2.0rem;margin-top:0}h1{font-size:4.6rem;line-height:1.2}h2{font-size:3.6rem;line-height:1.25}h3{font-size:2.8rem;line-height:1.3}h4{font-size:2.2rem;letter-spacing:-.08rem;line-height:1.35}h5{font-size:1.8rem;letter-spacing:-.05rem;line-height:1.5}h6{font-size:1.6rem;letter-spacing:0;line-height:1.4}img{max-width:100%}.clearfix:after{clear:both;content:' ';display:table}.float-left{float:left}.float-right{float:right}
10 |
11 | /* General style */
12 | h1{font-size: 3.6rem; line-height: 1.25}
13 | h2{font-size: 2.8rem; line-height: 1.3}
14 | h3{font-size: 2.2rem; letter-spacing: -.08rem; line-height: 1.35}
15 | h4{font-size: 1.8rem; letter-spacing: -.05rem; line-height: 1.5}
16 | h5{font-size: 1.6rem; letter-spacing: 0; line-height: 1.4}
17 | h6{font-size: 1.4rem; letter-spacing: 0; line-height: 1.2}
18 | pre{padding: 1em;}
19 |
20 | .container{
21 | margin: 0 auto;
22 | max-width: 80.0rem;
23 | padding: 0 2.0rem;
24 | position: relative;
25 | width: 100%
26 | }
27 | select {
28 | width: auto;
29 | }
30 |
31 | /* Phoenix promo and logo */
32 | .phx-hero {
33 | text-align: center;
34 | border-bottom: 1px solid #e3e3e3;
35 | background: #eee;
36 | border-radius: 6px;
37 | padding: 3em 3em 1em;
38 | margin-bottom: 3rem;
39 | font-weight: 200;
40 | font-size: 120%;
41 | }
42 | .phx-hero input {
43 | background: #ffffff;
44 | }
45 | .phx-logo {
46 | min-width: 300px;
47 | margin: 1rem;
48 | display: block;
49 | }
50 | .phx-logo img {
51 | width: auto;
52 | display: block;
53 | }
54 |
55 | /* Headers */
56 | header {
57 | width: 100%;
58 | background: #fdfdfd;
59 | border-bottom: 1px solid #eaeaea;
60 | margin-bottom: 2rem;
61 | }
62 | header section {
63 | align-items: center;
64 | display: flex;
65 | flex-direction: column;
66 | justify-content: space-between;
67 | }
68 | header section :first-child {
69 | order: 2;
70 | }
71 | header section :last-child {
72 | order: 1;
73 | }
74 | header nav ul,
75 | header nav li {
76 | margin: 0;
77 | padding: 0;
78 | display: block;
79 | text-align: right;
80 | white-space: nowrap;
81 | }
82 | header nav ul {
83 | margin: 1rem;
84 | margin-top: 0;
85 | }
86 | header nav a {
87 | display: block;
88 | }
89 |
90 | @media (min-width: 40.0rem) { /* Small devices (landscape phones, 576px and up) */
91 | header section {
92 | flex-direction: row;
93 | }
94 | header nav ul {
95 | margin: 1rem;
96 | }
97 | .phx-logo {
98 | flex-basis: 527px;
99 | margin: 2rem 1rem;
100 | }
101 | }
102 |
--------------------------------------------------------------------------------
/assets/yarn.lock:
--------------------------------------------------------------------------------
1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
2 | # yarn lockfile v1
3 |
4 |
5 | "@babel/parser@^7.16.4":
6 | version "7.17.8"
7 | resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.17.8.tgz#2817fb9d885dd8132ea0f8eb615a6388cca1c240"
8 | integrity sha512-BoHhDJrJXqcg+ZL16Xv39H9n+AqJ4pcDrQBGZN+wHxIysrLZ3/ECwCBUch/1zUNhnsXULcONU3Ei5Hmkfk6kiQ==
9 |
10 | "@vue/compiler-core@3.2.31", "@vue/compiler-core@^3.2.22":
11 | version "3.2.31"
12 | resolved "https://registry.yarnpkg.com/@vue/compiler-core/-/compiler-core-3.2.31.tgz#d38f06c2cf845742403b523ab4596a3fda152e89"
13 | integrity sha512-aKno00qoA4o+V/kR6i/pE+aP+esng5siNAVQ422TkBNM6qA4veXiZbSe8OTXHXquEi/f6Akc+nLfB4JGfe4/WQ==
14 | dependencies:
15 | "@babel/parser" "^7.16.4"
16 | "@vue/shared" "3.2.31"
17 | estree-walker "^2.0.2"
18 | source-map "^0.6.1"
19 |
20 | "@vue/compiler-dom@3.2.31":
21 | version "3.2.31"
22 | resolved "https://registry.yarnpkg.com/@vue/compiler-dom/-/compiler-dom-3.2.31.tgz#b1b7dfad55c96c8cc2b919cd7eb5fd7e4ddbf00e"
23 | integrity sha512-60zIlFfzIDf3u91cqfqy9KhCKIJgPeqxgveH2L+87RcGU/alT6BRrk5JtUso0OibH3O7NXuNOQ0cDc9beT0wrg==
24 | dependencies:
25 | "@vue/compiler-core" "3.2.31"
26 | "@vue/shared" "3.2.31"
27 |
28 | "@vue/compiler-sfc@3.2.31", "@vue/compiler-sfc@^3.2.22":
29 | version "3.2.31"
30 | resolved "https://registry.yarnpkg.com/@vue/compiler-sfc/-/compiler-sfc-3.2.31.tgz#d02b29c3fe34d599a52c5ae1c6937b4d69f11c2f"
31 | integrity sha512-748adc9msSPGzXgibHiO6T7RWgfnDcVQD+VVwYgSsyyY8Ans64tALHZANrKtOzvkwznV/F4H7OAod/jIlp/dkQ==
32 | dependencies:
33 | "@babel/parser" "^7.16.4"
34 | "@vue/compiler-core" "3.2.31"
35 | "@vue/compiler-dom" "3.2.31"
36 | "@vue/compiler-ssr" "3.2.31"
37 | "@vue/reactivity-transform" "3.2.31"
38 | "@vue/shared" "3.2.31"
39 | estree-walker "^2.0.2"
40 | magic-string "^0.25.7"
41 | postcss "^8.1.10"
42 | source-map "^0.6.1"
43 |
44 | "@vue/compiler-ssr@3.2.31":
45 | version "3.2.31"
46 | resolved "https://registry.yarnpkg.com/@vue/compiler-ssr/-/compiler-ssr-3.2.31.tgz#4fa00f486c9c4580b40a4177871ebbd650ecb99c"
47 | integrity sha512-mjN0rqig+A8TVDnsGPYJM5dpbjlXeHUm2oZHZwGyMYiGT/F4fhJf/cXy8QpjnLQK4Y9Et4GWzHn9PS8AHUnSkw==
48 | dependencies:
49 | "@vue/compiler-dom" "3.2.31"
50 | "@vue/shared" "3.2.31"
51 |
52 | "@vue/devtools-api@^6.0.0":
53 | version "6.1.3"
54 | resolved "https://registry.yarnpkg.com/@vue/devtools-api/-/devtools-api-6.1.3.tgz#a44c52e8fa6d22f84db3abdcdd0be5135b7dd7cf"
55 | integrity sha512-79InfO2xHv+WHIrH1bHXQUiQD/wMls9qBk6WVwGCbdwP7/3zINtvqPNMtmSHXsIKjvUAHc8L0ouOj6ZQQRmcXg==
56 |
57 | "@vue/reactivity-transform@3.2.31":
58 | version "3.2.31"
59 | resolved "https://registry.yarnpkg.com/@vue/reactivity-transform/-/reactivity-transform-3.2.31.tgz#0f5b25c24e70edab2b613d5305c465b50fc00911"
60 | integrity sha512-uS4l4z/W7wXdI+Va5pgVxBJ345wyGFKvpPYtdSgvfJfX/x2Ymm6ophQlXXB6acqGHtXuBqNyyO3zVp9b1r0MOA==
61 | dependencies:
62 | "@babel/parser" "^7.16.4"
63 | "@vue/compiler-core" "3.2.31"
64 | "@vue/shared" "3.2.31"
65 | estree-walker "^2.0.2"
66 | magic-string "^0.25.7"
67 |
68 | "@vue/reactivity@3.2.31":
69 | version "3.2.31"
70 | resolved "https://registry.yarnpkg.com/@vue/reactivity/-/reactivity-3.2.31.tgz#fc90aa2cdf695418b79e534783aca90d63a46bbd"
71 | integrity sha512-HVr0l211gbhpEKYr2hYe7hRsV91uIVGFYNHj73njbARVGHQvIojkImKMaZNDdoDZOIkMsBc9a1sMqR+WZwfSCw==
72 | dependencies:
73 | "@vue/shared" "3.2.31"
74 |
75 | "@vue/runtime-core@3.2.31":
76 | version "3.2.31"
77 | resolved "https://registry.yarnpkg.com/@vue/runtime-core/-/runtime-core-3.2.31.tgz#9d284c382f5f981b7a7b5971052a1dc4ef39ac7a"
78 | integrity sha512-Kcog5XmSY7VHFEMuk4+Gap8gUssYMZ2+w+cmGI6OpZWYOEIcbE0TPzzPHi+8XTzAgx1w/ZxDFcXhZeXN5eKWsA==
79 | dependencies:
80 | "@vue/reactivity" "3.2.31"
81 | "@vue/shared" "3.2.31"
82 |
83 | "@vue/runtime-dom@3.2.31":
84 | version "3.2.31"
85 | resolved "https://registry.yarnpkg.com/@vue/runtime-dom/-/runtime-dom-3.2.31.tgz#79ce01817cb3caf2c9d923f669b738d2d7953eff"
86 | integrity sha512-N+o0sICVLScUjfLG7u9u5XCjvmsexAiPt17GNnaWHJUfsKed5e85/A3SWgKxzlxx2SW/Hw7RQxzxbXez9PtY3g==
87 | dependencies:
88 | "@vue/runtime-core" "3.2.31"
89 | "@vue/shared" "3.2.31"
90 | csstype "^2.6.8"
91 |
92 | "@vue/server-renderer@3.2.31":
93 | version "3.2.31"
94 | resolved "https://registry.yarnpkg.com/@vue/server-renderer/-/server-renderer-3.2.31.tgz#201e9d6ce735847d5989403af81ef80960da7141"
95 | integrity sha512-8CN3Zj2HyR2LQQBHZ61HexF5NReqngLT3oahyiVRfSSvak+oAvVmu8iNLSu6XR77Ili2AOpnAt1y8ywjjqtmkg==
96 | dependencies:
97 | "@vue/compiler-ssr" "3.2.31"
98 | "@vue/shared" "3.2.31"
99 |
100 | "@vue/shared@3.2.31":
101 | version "3.2.31"
102 | resolved "https://registry.yarnpkg.com/@vue/shared/-/shared-3.2.31.tgz#c90de7126d833dcd3a4c7534d534be2fb41faa4e"
103 | integrity sha512-ymN2pj6zEjiKJZbrf98UM2pfDd6F2H7ksKw7NDt/ZZ1fh5Ei39X5tABugtT03ZRlWd9imccoK0hE8hpjpU7irQ==
104 |
105 | convert-source-map@^1.8.0:
106 | version "1.8.0"
107 | resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-1.8.0.tgz#f3373c32d21b4d780dd8004514684fb791ca4369"
108 | integrity sha512-+OQdjP49zViI/6i7nIJpA8rAl4sV/JdPfU9nZs3VqOwGIgizICvuN2ru6fMd+4llL0tar18UYJXfZ/TWtmhUjA==
109 | dependencies:
110 | safe-buffer "~5.1.1"
111 |
112 | csstype@^2.6.8:
113 | version "2.6.20"
114 | resolved "https://registry.yarnpkg.com/csstype/-/csstype-2.6.20.tgz#9229c65ea0b260cf4d3d997cb06288e36a8d6dda"
115 | integrity sha512-/WwNkdXfckNgw6S5R125rrW8ez139lBHWouiBvX8dfMFtcn6V81REDqnH7+CRpRipfYlyU1CmOnOxrmGcFOjeA==
116 |
117 | esbuild-android-64@0.14.28:
118 | version "0.14.28"
119 | resolved "https://registry.yarnpkg.com/esbuild-android-64/-/esbuild-android-64-0.14.28.tgz#69c7a8a4f4a888eb5584afb035524b0fda7affff"
120 | integrity sha512-A52C3zq+9tNwCqZ+4kVLBxnk/WnrYM8P2+QNvNE9B6d2OVPs214lp3g6UyO+dKDhUdefhfPCuwkP8j2A/+szNA==
121 |
122 | esbuild-android-arm64@0.14.28:
123 | version "0.14.28"
124 | resolved "https://registry.yarnpkg.com/esbuild-android-arm64/-/esbuild-android-arm64-0.14.28.tgz#110ff82019e75b866b53844c32f19f7933b4ce36"
125 | integrity sha512-sm0fDEGElZhMC3HLZeECI2juE4aG7uPfMBMqNUhy9CeX399Pz8rC6e78OXMXInGjSdEAwQmCOHmfsP7uv3Q8rA==
126 |
127 | esbuild-copy-static-files@^0.1.0:
128 | version "0.1.0"
129 | resolved "https://registry.yarnpkg.com/esbuild-copy-static-files/-/esbuild-copy-static-files-0.1.0.tgz#4bb4987b5b554d2fc122a45f077d74663b4dbcf0"
130 | integrity sha512-KlpmYqANA1t2nZavEdItfcOjJC6wbHA21v35HJWN32DddGTWKNNGDKljUzbCPojmpD+wAw8/DXr5abJ4jFCE0w==
131 |
132 | esbuild-darwin-64@0.14.28:
133 | version "0.14.28"
134 | resolved "https://registry.yarnpkg.com/esbuild-darwin-64/-/esbuild-darwin-64-0.14.28.tgz#d929ce16035da6047504fe8a71587d2ac9b756ed"
135 | integrity sha512-nzDd7mQ44FvsFHtOafZdBgn3Li5SMsnMnoz1J2MM37xJmR3wGNTFph88KypjHgWqwbxCI7MXS1U+sN4qDeeW6Q==
136 |
137 | esbuild-darwin-arm64@0.14.28:
138 | version "0.14.28"
139 | resolved "https://registry.yarnpkg.com/esbuild-darwin-arm64/-/esbuild-darwin-arm64-0.14.28.tgz#75e1cb75c2230c541be1707c6751395fee9f6bbd"
140 | integrity sha512-XEq/bLR/glsUl+uGrBimQzOVs/CmwI833fXUhP9xrLI3IJ+rKyrZ5IA8u+1crOEf1LoTn8tV+hInmX6rGjbScw==
141 |
142 | esbuild-freebsd-64@0.14.28:
143 | version "0.14.28"
144 | resolved "https://registry.yarnpkg.com/esbuild-freebsd-64/-/esbuild-freebsd-64-0.14.28.tgz#3579fd41f4c090d52e1a9134743e591c6aea49d7"
145 | integrity sha512-rTKLgUj/HEcPeE5XZ7IZwWpFx7IWMfprN7QRk/TUJE1s1Ipb58esboIesUpjirJz/BwrgHq+FDG9ChAI8dZAtQ==
146 |
147 | esbuild-freebsd-arm64@0.14.28:
148 | version "0.14.28"
149 | resolved "https://registry.yarnpkg.com/esbuild-freebsd-arm64/-/esbuild-freebsd-arm64-0.14.28.tgz#de1c102a40005fa9da5160c0242b2de89ffd2d7b"
150 | integrity sha512-sBffxD1UMOsB7aWMoExmipycjcy3HJGwmqE4GQZUTZvdiH4GhjgUiVdtPyt7kSCdL40JqnWQJ4b1l8Y51oCF4Q==
151 |
152 | esbuild-linux-32@0.14.28:
153 | version "0.14.28"
154 | resolved "https://registry.yarnpkg.com/esbuild-linux-32/-/esbuild-linux-32-0.14.28.tgz#cdb8ac2000df06044450bf33a93b9d63d61bb669"
155 | integrity sha512-+Wxidh3fBEQ9kHcCsD4etlBTMb1n6QY2uXv3rFhVn88CY/JP782MhA57/ipLMY4kOLeSKEuFGN4rtjHuhmRMig==
156 |
157 | esbuild-linux-64@0.14.28:
158 | version "0.14.28"
159 | resolved "https://registry.yarnpkg.com/esbuild-linux-64/-/esbuild-linux-64-0.14.28.tgz#b1e961d42af89dab8c3c0ce86420a7657765f0ae"
160 | integrity sha512-7+xgsC4LvR6cnzaBdiljNnPDjbkwzahogN+S9uy9AoYw7ZjPnnXc6sjQAVCbqGb7MEgrWdpa6u/Tao79i4lWxg==
161 |
162 | esbuild-linux-arm64@0.14.28:
163 | version "0.14.28"
164 | resolved "https://registry.yarnpkg.com/esbuild-linux-arm64/-/esbuild-linux-arm64-0.14.28.tgz#f69e6ace792a4985b9760b443dbf627e5e3d2126"
165 | integrity sha512-EjRHgwg+kgXABzyoPGPOPg4d5wZqRnZ/ZAxBDzLY+i6DS8OUfTSlZHWIOZzU4XF7125WxRBg9ULbrFJBl+57Eg==
166 |
167 | esbuild-linux-arm@0.14.28:
168 | version "0.14.28"
169 | resolved "https://registry.yarnpkg.com/esbuild-linux-arm/-/esbuild-linux-arm-0.14.28.tgz#9c2fa45578686370a5d782314f321a2c6b641270"
170 | integrity sha512-L5isjmlLbh9E0WVllXiVETbScgMbth/+XkXQii1WwgO1RvLIfaGrVFz8d2n6EH/ImtgYxPYGx+OcvIKQBc91Rg==
171 |
172 | esbuild-linux-mips64le@0.14.28:
173 | version "0.14.28"
174 | resolved "https://registry.yarnpkg.com/esbuild-linux-mips64le/-/esbuild-linux-mips64le-0.14.28.tgz#99d78f0380640aa7faa2c4c49ac21229bdf33c7c"
175 | integrity sha512-krx9SSg7yfiUKk64EmjefOyiEF6nv2bRE4um/LiTaQ6Y/6FP4UF3/Ou/AxZVyR154uSRq63xejcAsmswXAYRsw==
176 |
177 | esbuild-linux-ppc64le@0.14.28:
178 | version "0.14.28"
179 | resolved "https://registry.yarnpkg.com/esbuild-linux-ppc64le/-/esbuild-linux-ppc64le-0.14.28.tgz#7388fa0c76033b4ca85b74071cb793d41ae77642"
180 | integrity sha512-LD0Xxu9g+DNuhsEBV5QuVZ4uKVBMup0xPIruLweuAf9/mHXFnaCuNXUBF5t0DxKl7GQ5MSioKtnb92oMo+QXEw==
181 |
182 | esbuild-linux-riscv64@0.14.28:
183 | version "0.14.28"
184 | resolved "https://registry.yarnpkg.com/esbuild-linux-riscv64/-/esbuild-linux-riscv64-0.14.28.tgz#99e4a8afe4762e927ebe02009e1927e38f3256ab"
185 | integrity sha512-L/DWfRh2P0vxq4Y+qieSNXKGdMg+e9Qe8jkbN2/8XSGYDTPzO2OcAxSujob4qIh7iSl+cknbXV+BvH0YFR0jbg==
186 |
187 | esbuild-linux-s390x@0.14.28:
188 | version "0.14.28"
189 | resolved "https://registry.yarnpkg.com/esbuild-linux-s390x/-/esbuild-linux-s390x-0.14.28.tgz#38a625399ffc78f3b8b555ebe2013347256a9a8a"
190 | integrity sha512-rrgxmsbmL8QQknWGnAL9bGJRQYLOi2AzXy5OTwfhxnj9eqjo5mSVbJXjgiq5LPUAMQZGdPH5yaNK0obAXS81Zw==
191 |
192 | esbuild-netbsd-64@0.14.28:
193 | version "0.14.28"
194 | resolved "https://registry.yarnpkg.com/esbuild-netbsd-64/-/esbuild-netbsd-64-0.14.28.tgz#fdc09dd69313f42be034276cc780bf60c09266b6"
195 | integrity sha512-h8wntIyOR8/xMVVM6TvJxxWKh4AjmLK87IPKpuVi8Pq0kyk0RMA+eo4PFGk5j2XK0D7dj8PcSF5NSlP9kN/j0A==
196 |
197 | esbuild-openbsd-64@0.14.28:
198 | version "0.14.28"
199 | resolved "https://registry.yarnpkg.com/esbuild-openbsd-64/-/esbuild-openbsd-64-0.14.28.tgz#9d7b0ca421ae580ab945c69c33eabd793262a84c"
200 | integrity sha512-HBv18rVapbuDx52/fhZ/c/w6TXyaQAvRxiDDn5Hz/pBcwOs3cdd2WxeIKlWmDoqm2JMx5EVlq4IWgoaRX9mVkw==
201 |
202 | esbuild-plugin-vue-next@^0.1.4:
203 | version "0.1.4"
204 | resolved "https://registry.yarnpkg.com/esbuild-plugin-vue-next/-/esbuild-plugin-vue-next-0.1.4.tgz#35603425c4efc016063f3dc8b0df90876cda9940"
205 | integrity sha512-n4DF5xY/GJ9DdRM4+MvV14Rrr+7xGhtv9/0xIxfzN6qSIMdXfZ6g4PVX735NYC7vGRr9KyZGRWST5jCyHQ6n5g==
206 | dependencies:
207 | convert-source-map "^1.8.0"
208 | hash-sum "^2.0.0"
209 |
210 | esbuild-sunos-64@0.14.28:
211 | version "0.14.28"
212 | resolved "https://registry.yarnpkg.com/esbuild-sunos-64/-/esbuild-sunos-64-0.14.28.tgz#5b82807ebe435519a2689e1a4d50b8a3cc5c64c0"
213 | integrity sha512-zlIxePhZxKYheR2vBCgPVvTixgo/ozOfOMoP6RZj8dxzquU1NgeyhjkcRXucbLCtmoNJ+i4PtWwPZTLuDd3bGg==
214 |
215 | esbuild-windows-32@0.14.28:
216 | version "0.14.28"
217 | resolved "https://registry.yarnpkg.com/esbuild-windows-32/-/esbuild-windows-32-0.14.28.tgz#5cf740782fadc865c00aa0d8388e42012bcf496e"
218 | integrity sha512-am9DIJxXlld1BOAY/VlvBQHMUCPL7S3gB/lnXIY3M4ys0gfuRqPf4EvMwZMzYUbFKBY+/Qb8SRgPRRGhwnJ8Kg==
219 |
220 | esbuild-windows-64@0.14.28:
221 | version "0.14.28"
222 | resolved "https://registry.yarnpkg.com/esbuild-windows-64/-/esbuild-windows-64-0.14.28.tgz#6e3ec1b0225d668a2da21e2ffeff2353b5c9a567"
223 | integrity sha512-78PhySDnmRZlsPNp/W/5Fim8iivlBQQxfhBFIqR7xwvfDmCFUSByyMKP7LCHgNtb04yNdop8nJJkJaQ8Xnwgiw==
224 |
225 | esbuild-windows-arm64@0.14.28:
226 | version "0.14.28"
227 | resolved "https://registry.yarnpkg.com/esbuild-windows-arm64/-/esbuild-windows-arm64-0.14.28.tgz#c527d52ec7d1f868259d0f74ecc4003e8475125d"
228 | integrity sha512-VhXGBTo6HELD8zyHXynV6+L2jWx0zkKnGx4TmEdSBK7UVFACtOyfUqpToG0EtnYyRZ0HESBhzPSVpP781ovmvA==
229 |
230 | esbuild@^0.14.28:
231 | version "0.14.28"
232 | resolved "https://registry.yarnpkg.com/esbuild/-/esbuild-0.14.28.tgz#7738635d2ea19e446bd319d83a1802545e6aebb8"
233 | integrity sha512-YLNprkCcMVKQ5sekmCKEQ3Obu/L7s6+iij38xNKyBeSmSsTWur4Ky/9zB3XIGT8SCJITG/bZwAR2l7YOAXch4Q==
234 | optionalDependencies:
235 | esbuild-android-64 "0.14.28"
236 | esbuild-android-arm64 "0.14.28"
237 | esbuild-darwin-64 "0.14.28"
238 | esbuild-darwin-arm64 "0.14.28"
239 | esbuild-freebsd-64 "0.14.28"
240 | esbuild-freebsd-arm64 "0.14.28"
241 | esbuild-linux-32 "0.14.28"
242 | esbuild-linux-64 "0.14.28"
243 | esbuild-linux-arm "0.14.28"
244 | esbuild-linux-arm64 "0.14.28"
245 | esbuild-linux-mips64le "0.14.28"
246 | esbuild-linux-ppc64le "0.14.28"
247 | esbuild-linux-riscv64 "0.14.28"
248 | esbuild-linux-s390x "0.14.28"
249 | esbuild-netbsd-64 "0.14.28"
250 | esbuild-openbsd-64 "0.14.28"
251 | esbuild-sunos-64 "0.14.28"
252 | esbuild-windows-32 "0.14.28"
253 | esbuild-windows-64 "0.14.28"
254 | esbuild-windows-arm64 "0.14.28"
255 |
256 | estree-walker@^2.0.2:
257 | version "2.0.2"
258 | resolved "https://registry.yarnpkg.com/estree-walker/-/estree-walker-2.0.2.tgz#52f010178c2a4c117a7757cfe942adb7d2da4cac"
259 | integrity sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w==
260 |
261 | hash-sum@^2.0.0:
262 | version "2.0.0"
263 | resolved "https://registry.yarnpkg.com/hash-sum/-/hash-sum-2.0.0.tgz#81d01bb5de8ea4a214ad5d6ead1b523460b0b45a"
264 | integrity sha512-WdZTbAByD+pHfl/g9QSsBIIwy8IT+EsPiKDs0KNX+zSHhdDLFKdZu0BQHljvO+0QI/BasbMSUa8wYNCZTvhslg==
265 |
266 | magic-string@^0.25.7:
267 | version "0.25.9"
268 | resolved "https://registry.yarnpkg.com/magic-string/-/magic-string-0.25.9.tgz#de7f9faf91ef8a1c91d02c2e5314c8277dbcdd1c"
269 | integrity sha512-RmF0AsMzgt25qzqqLc1+MbHmhdx0ojF2Fvs4XnOqz2ZOBXzzkEwc/dJQZCYHAn7v1jbVOjAZfK8msRn4BxO4VQ==
270 | dependencies:
271 | sourcemap-codec "^1.4.8"
272 |
273 | nanoid@^3.3.1:
274 | version "3.3.1"
275 | resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.1.tgz#6347a18cac88af88f58af0b3594b723d5e99bb35"
276 | integrity sha512-n6Vs/3KGyxPQd6uO0eH4Bv0ojGSUvuLlIHtC3Y0kEO23YRge8H9x1GCzLn28YX0H66pMkxuaeESFq4tKISKwdw==
277 |
278 | nprogress@^0.2.0:
279 | version "0.2.0"
280 | resolved "https://registry.yarnpkg.com/nprogress/-/nprogress-0.2.0.tgz#cb8f34c53213d895723fcbab907e9422adbcafb1"
281 | integrity sha1-y480xTIT2JVyP8urkH6UIq28r7E=
282 |
283 | "phoenix@file:../deps/phoenix":
284 | version "1.6.6"
285 |
286 | "phoenix_html@file:../deps/phoenix_html":
287 | version "3.2.0"
288 |
289 | picocolors@^1.0.0:
290 | version "1.0.0"
291 | resolved "https://registry.yarnpkg.com/picocolors/-/picocolors-1.0.0.tgz#cb5bdc74ff3f51892236eaf79d68bc44564ab81c"
292 | integrity sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==
293 |
294 | postcss@^8.1.10:
295 | version "8.4.12"
296 | resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.4.12.tgz#1e7de78733b28970fa4743f7da6f3763648b1905"
297 | integrity sha512-lg6eITwYe9v6Hr5CncVbK70SoioNQIq81nsaG86ev5hAidQvmOeETBqs7jm43K2F5/Ley3ytDtriImV6TpNiSg==
298 | dependencies:
299 | nanoid "^3.3.1"
300 | picocolors "^1.0.0"
301 | source-map-js "^1.0.2"
302 |
303 | safe-buffer@~5.1.1:
304 | version "5.1.2"
305 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d"
306 | integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==
307 |
308 | source-map-js@^1.0.2:
309 | version "1.0.2"
310 | resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.0.2.tgz#adbc361d9c62df380125e7f161f71c826f1e490c"
311 | integrity sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==
312 |
313 | source-map@^0.6.1:
314 | version "0.6.1"
315 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.6.1.tgz#74722af32e9614e9c287a8d0bbde48b5e2f1a263"
316 | integrity sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==
317 |
318 | sourcemap-codec@^1.4.8:
319 | version "1.4.8"
320 | resolved "https://registry.yarnpkg.com/sourcemap-codec/-/sourcemap-codec-1.4.8.tgz#ea804bd94857402e6992d05a38ef1ae35a9ab4c4"
321 | integrity sha512-9NykojV5Uih4lgo5So5dtw+f0JgJX30KCNI8gwhz2J9A15wD0Ml6tjHKwf6fTSa6fAdVBdZeNOs9eJ71qCk8vA==
322 |
323 | vue-router@4:
324 | version "4.0.14"
325 | resolved "https://registry.yarnpkg.com/vue-router/-/vue-router-4.0.14.tgz#ce2028c1c5c33e30c7287950c973f397fce1bd65"
326 | integrity sha512-wAO6zF9zxA3u+7AkMPqw9LjoUCjSxfFvINQj3E/DceTt6uEz1XZLraDhdg2EYmvVwTBSGlLYsUw8bDmx0754Mw==
327 | dependencies:
328 | "@vue/devtools-api" "^6.0.0"
329 |
330 | vue@^3.2.25:
331 | version "3.2.31"
332 | resolved "https://registry.yarnpkg.com/vue/-/vue-3.2.31.tgz#e0c49924335e9f188352816788a4cca10f817ce6"
333 | integrity sha512-odT3W2tcffTiQCy57nOT93INw1auq5lYLLYtWpPYQQYQOOdHiqFct9Xhna6GJ+pJQaF67yZABraH47oywkJgFw==
334 | dependencies:
335 | "@vue/compiler-dom" "3.2.31"
336 | "@vue/compiler-sfc" "3.2.31"
337 | "@vue/runtime-dom" "3.2.31"
338 | "@vue/server-renderer" "3.2.31"
339 | "@vue/shared" "3.2.31"
340 |
--------------------------------------------------------------------------------