ALCHCSG3RGQMWE6LJNIYPGYFEXCLUCVLNHKYTPQDMIPNB7BNEMOAC ExUnit.start()Ecto.Adapters.SQL.Sandbox.mode(SomethingErlang.Repo, :manual)
defmodule SomethingErlang.ForumsFixtures do@moduledoc """This module defines test helpers for creatingentities via the `SomethingErlang.Forums` context."""@doc """Generate a thread."""def thread_fixture(attrs \\ %{}) do{:ok, thread} =attrs|> Enum.into(%{thread_id: 42,title: "some title"})|> SomethingErlang.Forums.create_thread()threadendend
defmodule SomethingErlang.AccountsFixtures do@moduledoc """This module defines test helpers for creatingentities via the `SomethingErlang.Accounts` context."""def unique_user_email, do: "user#{System.unique_integer()}@example.com"def valid_user_password, do: "hello world!"def valid_user_attributes(attrs \\ %{}) doEnum.into(attrs, %{email: unique_user_email(),password: valid_user_password()})enddef user_fixture(attrs \\ %{}) do{:ok, user} =attrs|> valid_user_attributes()|> SomethingErlang.Accounts.register_user()userenddef extract_user_token(fun) do{:ok, captured_email} = fun.(&"[TOKEN]#{&1}[TOKEN]")[_, token | _] = String.split(captured_email.text_body, "[TOKEN]")tokenendend
defmodule SomethingErlang.DataCase do@moduledoc """This module defines the setup for tests requiringaccess to the application's data layer.You may define functions here to be used as helpers inyour tests.Finally, if the test case interacts with the database,we enable the SQL sandbox, so changes done to the databaseare reverted at the end of every test. If you are usingPostgreSQL, you can even run database tests asynchronouslyby setting `use SomethingErlang.DataCase, async: true`, althoughthis option is not recommended for other databases."""use ExUnit.CaseTemplateusing doquote doalias SomethingErlang.Repoimport Ectoimport Ecto.Changesetimport Ecto.Queryimport SomethingErlang.DataCaseendendsetup tags doSomethingErlang.DataCase.setup_sandbox(tags):okend@doc """Sets up the sandbox based on the test tags."""def setup_sandbox(tags) dopid = Ecto.Adapters.SQL.Sandbox.start_owner!(SomethingErlang.Repo, shared: not tags[:async])on_exit(fn -> Ecto.Adapters.SQL.Sandbox.stop_owner(pid) end)end@doc """A helper that transforms changeset errors into a map of messages.assert {:error, changeset} = Accounts.create_user(%{password: "short"})assert "password is too short" in errors_on(changeset).passwordassert %{password: ["password is too short"]} = errors_on(changeset)"""def errors_on(changeset) doEcto.Changeset.traverse_errors(changeset, fn {message, opts} ->Regex.replace(~r"%{(\w+)}", message, fn _, key ->opts |> Keyword.get(String.to_existing_atom(key), key) |> to_string()end)end)endend
defmodule SomethingErlangWeb.ConnCase do@moduledoc """This module defines the test case to be used bytests that require setting up a connection.Such tests rely on `Phoenix.ConnTest` and alsoimport other functionality to make it easierto build common data structures and query the data layer.Finally, if the test case interacts with the database,we enable the SQL sandbox, so changes done to the databaseare reverted at the end of every test. If you are usingPostgreSQL, you can even run database tests asynchronouslyby setting `use SomethingErlangWeb.ConnCase, async: true`, althoughthis option is not recommended for other databases."""use ExUnit.CaseTemplateusing doquote do# Import conveniences for testing with connectionsimport Plug.Connimport Phoenix.ConnTestimport SomethingErlangWeb.ConnCasealias SomethingErlangWeb.Router.Helpers, as: Routes# The default endpoint for testing@endpoint SomethingErlangWeb.Endpointendendsetup tags doSomethingErlang.DataCase.setup_sandbox(tags){:ok, conn: Phoenix.ConnTest.build_conn()}end@doc """Setup helper that registers and logs in users.setup :register_and_log_in_userIt stores an updated connection and a registered user in thetest context."""def register_and_log_in_user(%{conn: conn}) douser = SomethingErlang.AccountsFixtures.user_fixture()%{conn: log_in_user(conn, user), user: user}end@doc """Logs the given `user` into the `conn`.It returns an updated `conn`."""def log_in_user(conn, user) dotoken = SomethingErlang.Accounts.generate_user_session_token(user)conn|> Phoenix.ConnTest.init_test_session(%{})|> Plug.Conn.put_session(:user_token, token)endend
defmodule SomethingErlangWeb.PageViewTest douse SomethingErlangWeb.ConnCase, async: trueend
defmodule SomethingErlangWeb.LayoutViewTest douse SomethingErlangWeb.ConnCase, async: true# When testing helpers, you may want to import Phoenix.HTML and# use functions such as safe_to_string() to convert the helper# result into an HTML string.# import Phoenix.HTMLend
defmodule SomethingErlangWeb.ErrorViewTest douse SomethingErlangWeb.ConnCase, async: true# Bring render/3 and render_to_string/3 for testing custom viewsimport Phoenix.Viewtest "renders 404.html" doassert render_to_string(SomethingErlangWeb.ErrorView, "404.html", []) == "Not Found"endtest "renders 500.html" doassert render_to_string(SomethingErlangWeb.ErrorView, "500.html", []) =="Internal Server Error"endend
defmodule SomethingErlangWeb.ThreadLiveTest douse SomethingErlangWeb.ConnCaseimport Phoenix.LiveViewTestimport SomethingErlang.ForumsFixtures@create_attrs %{thread_id: 42, title: "some title"}@update_attrs %{thread_id: 43, title: "some updated title"}@invalid_attrs %{thread_id: nil, title: nil}defp create_thread(_) dothread = thread_fixture()%{thread: thread}enddescribe "Index" dosetup [:create_thread]test "lists all threads", %{conn: conn, thread: thread} do{:ok, _index_live, html} = live(conn, Routes.thread_index_path(conn, :index))assert html =~ "Listing Threads"assert html =~ thread.titleendtest "saves new thread", %{conn: conn} do{:ok, index_live, _html} = live(conn, Routes.thread_index_path(conn, :index))assert index_live |> element("a", "New Thread") |> render_click() =~"New Thread"assert_patch(index_live, Routes.thread_index_path(conn, :new))assert index_live|> form("#thread-form", thread: @invalid_attrs)|> render_change() =~ "can't be blank"{:ok, _, html} =index_live|> form("#thread-form", thread: @create_attrs)|> render_submit()|> follow_redirect(conn, Routes.thread_index_path(conn, :index))assert html =~ "Thread created successfully"assert html =~ "some title"endtest "updates thread in listing", %{conn: conn, thread: thread} do{:ok, index_live, _html} = live(conn, Routes.thread_index_path(conn, :index))assert index_live |> element("#thread-#{thread.id} a", "Edit") |> render_click() =~"Edit Thread"assert_patch(index_live, Routes.thread_index_path(conn, :edit, thread))assert index_live|> form("#thread-form", thread: @invalid_attrs)|> render_change() =~ "can't be blank"{:ok, _, html} =index_live|> form("#thread-form", thread: @update_attrs)|> render_submit()|> follow_redirect(conn, Routes.thread_index_path(conn, :index))assert html =~ "Thread updated successfully"assert html =~ "some updated title"endtest "deletes thread in listing", %{conn: conn, thread: thread} do{:ok, index_live, _html} = live(conn, Routes.thread_index_path(conn, :index))assert index_live |> element("#thread-#{thread.id} a", "Delete") |> render_click()refute has_element?(index_live, "#thread-#{thread.id}")endenddescribe "Show" dosetup [:create_thread]test "displays thread", %{conn: conn, thread: thread} do{:ok, _show_live, html} = live(conn, Routes.thread_show_path(conn, :show, thread))assert html =~ "Show Thread"assert html =~ thread.titleendtest "updates thread within modal", %{conn: conn, thread: thread} do{:ok, show_live, _html} = live(conn, Routes.thread_show_path(conn, :show, thread))assert show_live |> element("a", "Edit") |> render_click() =~"Edit Thread"assert_patch(show_live, Routes.thread_show_path(conn, :edit, thread))assert show_live|> form("#thread-form", thread: @invalid_attrs)|> render_change() =~ "can't be blank"{:ok, _, html} =show_live|> form("#thread-form", thread: @update_attrs)|> render_submit()|> follow_redirect(conn, Routes.thread_show_path(conn, :show, thread))assert html =~ "Thread updated successfully"assert html =~ "some updated title"endendend
defmodule SomethingErlangWeb.UserSettingsControllerTest douse SomethingErlangWeb.ConnCase, async: truealias SomethingErlang.Accountsimport SomethingErlang.AccountsFixturessetup :register_and_log_in_userdescribe "GET /users/settings" dotest "renders settings page", %{conn: conn} doconn = get(conn, Routes.user_settings_path(conn, :edit))response = html_response(conn, 200)assert response =~ "<h1>Settings</h1>"endtest "redirects if user is not logged in" doconn = build_conn()conn = get(conn, Routes.user_settings_path(conn, :edit))assert redirected_to(conn) == Routes.user_session_path(conn, :new)endenddescribe "PUT /users/settings (change password form)" dotest "updates the user password and resets tokens", %{conn: conn, user: user} donew_password_conn =put(conn, Routes.user_settings_path(conn, :update), %{"action" => "update_password","current_password" => valid_user_password(),"user" => %{"password" => "new valid password","password_confirmation" => "new valid password"}})assert redirected_to(new_password_conn) == Routes.user_settings_path(conn, :edit)assert get_session(new_password_conn, :user_token) != get_session(conn, :user_token)assert get_flash(new_password_conn, :info) =~ "Password updated successfully"assert Accounts.get_user_by_email_and_password(user.email, "new valid password")endtest "does not update password on invalid data", %{conn: conn} doold_password_conn =put(conn, Routes.user_settings_path(conn, :update), %{"action" => "update_password","current_password" => "invalid","user" => %{"password" => "too short","password_confirmation" => "does not match"}})response = html_response(old_password_conn, 200)assert response =~ "<h1>Settings</h1>"assert response =~ "should be at least 12 character(s)"assert response =~ "does not match password"assert response =~ "is not valid"assert get_session(old_password_conn, :user_token) == get_session(conn, :user_token)endenddescribe "PUT /users/settings (change email form)" do@tag :capture_logtest "updates the user email", %{conn: conn, user: user} doconn =put(conn, Routes.user_settings_path(conn, :update), %{"action" => "update_email","current_password" => valid_user_password(),"user" => %{"email" => unique_user_email()}})assert redirected_to(conn) == Routes.user_settings_path(conn, :edit)assert get_flash(conn, :info) =~ "A link to confirm your email"assert Accounts.get_user_by_email(user.email)endtest "does not update email on invalid data", %{conn: conn} doconn =put(conn, Routes.user_settings_path(conn, :update), %{"action" => "update_email","current_password" => "invalid","user" => %{"email" => "with spaces"}})response = html_response(conn, 200)assert response =~ "<h1>Settings</h1>"assert response =~ "must have the @ sign and no spaces"assert response =~ "is not valid"endenddescribe "GET /users/settings/confirm_email/:token" dosetup %{user: user} doemail = unique_user_email()token =extract_user_token(fn url ->Accounts.deliver_update_email_instructions(%{user | email: email}, user.email, url)end)%{token: token, email: email}endtest "updates the user email once", %{conn: conn, user: user, token: token, email: email} doconn = get(conn, Routes.user_settings_path(conn, :confirm_email, token))assert redirected_to(conn) == Routes.user_settings_path(conn, :edit)assert get_flash(conn, :info) =~ "Email changed successfully"refute Accounts.get_user_by_email(user.email)assert Accounts.get_user_by_email(email)conn = get(conn, Routes.user_settings_path(conn, :confirm_email, token))assert redirected_to(conn) == Routes.user_settings_path(conn, :edit)assert get_flash(conn, :error) =~ "Email change link is invalid or it has expired"endtest "does not update email with invalid token", %{conn: conn, user: user} doconn = get(conn, Routes.user_settings_path(conn, :confirm_email, "oops"))assert redirected_to(conn) == Routes.user_settings_path(conn, :edit)assert get_flash(conn, :error) =~ "Email change link is invalid or it has expired"assert Accounts.get_user_by_email(user.email)endtest "redirects if user is not logged in", %{token: token} doconn = build_conn()conn = get(conn, Routes.user_settings_path(conn, :confirm_email, token))assert redirected_to(conn) == Routes.user_session_path(conn, :new)endendend
defmodule SomethingErlangWeb.UserSessionControllerTest douse SomethingErlangWeb.ConnCase, async: trueimport SomethingErlang.AccountsFixturessetup do%{user: user_fixture()}enddescribe "GET /users/log_in" dotest "renders log in page", %{conn: conn} doconn = get(conn, Routes.user_session_path(conn, :new))response = html_response(conn, 200)assert response =~ "<h1>Log in</h1>"assert response =~ "Register</a>"assert response =~ "Forgot your password?</a>"endtest "redirects if already logged in", %{conn: conn, user: user} doconn = conn |> log_in_user(user) |> get(Routes.user_session_path(conn, :new))assert redirected_to(conn) == "/"endenddescribe "POST /users/log_in" dotest "logs the user in", %{conn: conn, user: user} doconn =post(conn, Routes.user_session_path(conn, :create), %{"user" => %{"email" => user.email, "password" => valid_user_password()}})assert get_session(conn, :user_token)assert redirected_to(conn) == "/"# Now do a logged in request and assert on the menuconn = get(conn, "/")response = html_response(conn, 200)assert response =~ user.emailassert response =~ "Settings</a>"assert response =~ "Log out</a>"endtest "logs the user in with remember me", %{conn: conn, user: user} doconn =post(conn, Routes.user_session_path(conn, :create), %{"user" => %{"email" => user.email,"password" => valid_user_password(),"remember_me" => "true"}})assert conn.resp_cookies["_something_erlang_web_user_remember_me"]assert redirected_to(conn) == "/"endtest "logs the user in with return to", %{conn: conn, user: user} doconn =conn|> init_test_session(user_return_to: "/foo/bar")|> post(Routes.user_session_path(conn, :create), %{"user" => %{"email" => user.email,"password" => valid_user_password()}})assert redirected_to(conn) == "/foo/bar"endtest "emits error message with invalid credentials", %{conn: conn, user: user} doconn =post(conn, Routes.user_session_path(conn, :create), %{"user" => %{"email" => user.email, "password" => "invalid_password"}})response = html_response(conn, 200)assert response =~ "<h1>Log in</h1>"assert response =~ "Invalid email or password"endenddescribe "DELETE /users/log_out" dotest "logs the user out", %{conn: conn, user: user} doconn = conn |> log_in_user(user) |> delete(Routes.user_session_path(conn, :delete))assert redirected_to(conn) == "/"refute get_session(conn, :user_token)assert get_flash(conn, :info) =~ "Logged out successfully"endtest "succeeds even if the user is not logged in", %{conn: conn} doconn = delete(conn, Routes.user_session_path(conn, :delete))assert redirected_to(conn) == "/"refute get_session(conn, :user_token)assert get_flash(conn, :info) =~ "Logged out successfully"endendend
defmodule SomethingErlangWeb.UserResetPasswordControllerTest douse SomethingErlangWeb.ConnCase, async: truealias SomethingErlang.Accountsalias SomethingErlang.Repoimport SomethingErlang.AccountsFixturessetup do%{user: user_fixture()}enddescribe "GET /users/reset_password" dotest "renders the reset password page", %{conn: conn} doconn = get(conn, Routes.user_reset_password_path(conn, :new))response = html_response(conn, 200)assert response =~ "<h1>Forgot your password?</h1>"endenddescribe "POST /users/reset_password" do@tag :capture_logtest "sends a new reset password token", %{conn: conn, user: user} doconn =post(conn, Routes.user_reset_password_path(conn, :create), %{"user" => %{"email" => user.email}})assert redirected_to(conn) == "/"assert get_flash(conn, :info) =~ "If your email is in our system"assert Repo.get_by!(Accounts.UserToken, user_id: user.id).context == "reset_password"endtest "does not send reset password token if email is invalid", %{conn: conn} doconn =post(conn, Routes.user_reset_password_path(conn, :create), %{"user" => %{"email" => "unknown@example.com"}})assert redirected_to(conn) == "/"assert get_flash(conn, :info) =~ "If your email is in our system"assert Repo.all(Accounts.UserToken) == []endenddescribe "GET /users/reset_password/:token" dosetup %{user: user} dotoken =extract_user_token(fn url ->Accounts.deliver_user_reset_password_instructions(user, url)end)%{token: token}endtest "renders reset password", %{conn: conn, token: token} doconn = get(conn, Routes.user_reset_password_path(conn, :edit, token))assert html_response(conn, 200) =~ "<h1>Reset password</h1>"endtest "does not render reset password with invalid token", %{conn: conn} doconn = get(conn, Routes.user_reset_password_path(conn, :edit, "oops"))assert redirected_to(conn) == "/"assert get_flash(conn, :error) =~ "Reset password link is invalid or it has expired"endenddescribe "PUT /users/reset_password/:token" dosetup %{user: user} dotoken =extract_user_token(fn url ->Accounts.deliver_user_reset_password_instructions(user, url)end)%{token: token}endtest "resets password once", %{conn: conn, user: user, token: token} doconn =put(conn, Routes.user_reset_password_path(conn, :update, token), %{"user" => %{"password" => "new valid password","password_confirmation" => "new valid password"}})assert redirected_to(conn) == Routes.user_session_path(conn, :new)refute get_session(conn, :user_token)assert get_flash(conn, :info) =~ "Password reset successfully"assert Accounts.get_user_by_email_and_password(user.email, "new valid password")endtest "does not reset password on invalid data", %{conn: conn, token: token} doconn =put(conn, Routes.user_reset_password_path(conn, :update, token), %{"user" => %{"password" => "too short","password_confirmation" => "does not match"}})response = html_response(conn, 200)assert response =~ "<h1>Reset password</h1>"assert response =~ "should be at least 12 character(s)"assert response =~ "does not match password"endtest "does not reset password with invalid token", %{conn: conn} doconn = put(conn, Routes.user_reset_password_path(conn, :update, "oops"))assert redirected_to(conn) == "/"assert get_flash(conn, :error) =~ "Reset password link is invalid or it has expired"endendend
defmodule SomethingErlangWeb.UserRegistrationControllerTest douse SomethingErlangWeb.ConnCase, async: trueimport SomethingErlang.AccountsFixturesdescribe "GET /users/register" dotest "renders registration page", %{conn: conn} doconn = get(conn, Routes.user_registration_path(conn, :new))response = html_response(conn, 200)assert response =~ "<h1>Register</h1>"assert response =~ "Log in</a>"assert response =~ "Register</a>"endtest "redirects if already logged in", %{conn: conn} doconn = conn |> log_in_user(user_fixture()) |> get(Routes.user_registration_path(conn, :new))assert redirected_to(conn) == "/"endenddescribe "POST /users/register" do@tag :capture_logtest "creates account and logs the user in", %{conn: conn} doemail = unique_user_email()conn =post(conn, Routes.user_registration_path(conn, :create), %{"user" => valid_user_attributes(email: email)})assert get_session(conn, :user_token)assert redirected_to(conn) == "/"# Now do a logged in request and assert on the menuconn = get(conn, "/")response = html_response(conn, 200)assert response =~ emailassert response =~ "Settings</a>"assert response =~ "Log out</a>"endtest "render errors for invalid data", %{conn: conn} doconn =post(conn, Routes.user_registration_path(conn, :create), %{"user" => %{"email" => "with spaces", "password" => "too short"}})response = html_response(conn, 200)assert response =~ "<h1>Register</h1>"assert response =~ "must have the @ sign and no spaces"assert response =~ "should be at least 12 character"endendend
defmodule SomethingErlangWeb.UserConfirmationControllerTest douse SomethingErlangWeb.ConnCase, async: truealias SomethingErlang.Accountsalias SomethingErlang.Repoimport SomethingErlang.AccountsFixturessetup do%{user: user_fixture()}enddescribe "GET /users/confirm" dotest "renders the resend confirmation page", %{conn: conn} doconn = get(conn, Routes.user_confirmation_path(conn, :new))response = html_response(conn, 200)assert response =~ "<h1>Resend confirmation instructions</h1>"endenddescribe "POST /users/confirm" do@tag :capture_logtest "sends a new confirmation token", %{conn: conn, user: user} doconn =post(conn, Routes.user_confirmation_path(conn, :create), %{"user" => %{"email" => user.email}})assert redirected_to(conn) == "/"assert get_flash(conn, :info) =~ "If your email is in our system"assert Repo.get_by!(Accounts.UserToken, user_id: user.id).context == "confirm"endtest "does not send confirmation token if User is confirmed", %{conn: conn, user: user} doRepo.update!(Accounts.User.confirm_changeset(user))conn =post(conn, Routes.user_confirmation_path(conn, :create), %{"user" => %{"email" => user.email}})assert redirected_to(conn) == "/"assert get_flash(conn, :info) =~ "If your email is in our system"refute Repo.get_by(Accounts.UserToken, user_id: user.id)endtest "does not send confirmation token if email is invalid", %{conn: conn} doconn =post(conn, Routes.user_confirmation_path(conn, :create), %{"user" => %{"email" => "unknown@example.com"}})assert redirected_to(conn) == "/"assert get_flash(conn, :info) =~ "If your email is in our system"assert Repo.all(Accounts.UserToken) == []endenddescribe "GET /users/confirm/:token" dotest "renders the confirmation page", %{conn: conn} doconn = get(conn, Routes.user_confirmation_path(conn, :edit, "some-token"))response = html_response(conn, 200)assert response =~ "<h1>Confirm account</h1>"form_action = Routes.user_confirmation_path(conn, :update, "some-token")assert response =~ "action=\"#{form_action}\""endenddescribe "POST /users/confirm/:token" dotest "confirms the given token once", %{conn: conn, user: user} dotoken =extract_user_token(fn url ->Accounts.deliver_user_confirmation_instructions(user, url)end)conn = post(conn, Routes.user_confirmation_path(conn, :update, token))assert redirected_to(conn) == "/"assert get_flash(conn, :info) =~ "User confirmed successfully"assert Accounts.get_user!(user.id).confirmed_atrefute get_session(conn, :user_token)assert Repo.all(Accounts.UserToken) == []# When not logged inconn = post(conn, Routes.user_confirmation_path(conn, :update, token))assert redirected_to(conn) == "/"assert get_flash(conn, :error) =~ "User confirmation link is invalid or it has expired"# When logged inconn =build_conn()|> log_in_user(user)|> post(Routes.user_confirmation_path(conn, :update, token))assert redirected_to(conn) == "/"refute get_flash(conn, :error)endtest "does not confirm email with invalid token", %{conn: conn, user: user} doconn = post(conn, Routes.user_confirmation_path(conn, :update, "oops"))assert redirected_to(conn) == "/"assert get_flash(conn, :error) =~ "User confirmation link is invalid or it has expired"refute Accounts.get_user!(user.id).confirmed_atendendend
defmodule SomethingErlangWeb.UserAuthTest douse SomethingErlangWeb.ConnCase, async: truealias SomethingErlang.Accountsalias SomethingErlangWeb.UserAuthimport SomethingErlang.AccountsFixtures@remember_me_cookie "_something_erlang_web_user_remember_me"setup %{conn: conn} doconn =conn|> Map.replace!(:secret_key_base, SomethingErlangWeb.Endpoint.config(:secret_key_base))|> init_test_session(%{})%{user: user_fixture(), conn: conn}enddescribe "log_in_user/3" dotest "stores the user token in the session", %{conn: conn, user: user} doconn = UserAuth.log_in_user(conn, user)assert token = get_session(conn, :user_token)assert get_session(conn, :live_socket_id) == "users_sessions:#{Base.url_encode64(token)}"assert redirected_to(conn) == "/"assert Accounts.get_user_by_session_token(token)endtest "clears everything previously stored in the session", %{conn: conn, user: user} doconn = conn |> put_session(:to_be_removed, "value") |> UserAuth.log_in_user(user)refute get_session(conn, :to_be_removed)endtest "redirects to the configured path", %{conn: conn, user: user} doconn = conn |> put_session(:user_return_to, "/hello") |> UserAuth.log_in_user(user)assert redirected_to(conn) == "/hello"endtest "writes a cookie if remember_me is configured", %{conn: conn, user: user} doconn = conn |> fetch_cookies() |> UserAuth.log_in_user(user, %{"remember_me" => "true"})assert get_session(conn, :user_token) == conn.cookies[@remember_me_cookie]assert %{value: signed_token, max_age: max_age} = conn.resp_cookies[@remember_me_cookie]assert signed_token != get_session(conn, :user_token)assert max_age == 5_184_000endenddescribe "logout_user/1" dotest "erases session and cookies", %{conn: conn, user: user} douser_token = Accounts.generate_user_session_token(user)conn =conn|> put_session(:user_token, user_token)|> put_req_cookie(@remember_me_cookie, user_token)|> fetch_cookies()|> UserAuth.log_out_user()refute get_session(conn, :user_token)refute conn.cookies[@remember_me_cookie]assert %{max_age: 0} = conn.resp_cookies[@remember_me_cookie]assert redirected_to(conn) == "/"refute Accounts.get_user_by_session_token(user_token)endtest "broadcasts to the given live_socket_id", %{conn: conn} dolive_socket_id = "users_sessions:abcdef-token"SomethingErlangWeb.Endpoint.subscribe(live_socket_id)conn|> put_session(:live_socket_id, live_socket_id)|> UserAuth.log_out_user()assert_receive %Phoenix.Socket.Broadcast{event: "disconnect", topic: ^live_socket_id}endtest "works even if user is already logged out", %{conn: conn} doconn = conn |> fetch_cookies() |> UserAuth.log_out_user()refute get_session(conn, :user_token)assert %{max_age: 0} = conn.resp_cookies[@remember_me_cookie]assert redirected_to(conn) == "/"endenddescribe "fetch_current_user/2" dotest "authenticates user from session", %{conn: conn, user: user} douser_token = Accounts.generate_user_session_token(user)conn = conn |> put_session(:user_token, user_token) |> UserAuth.fetch_current_user([])assert conn.assigns.current_user.id == user.idendtest "authenticates user from cookies", %{conn: conn, user: user} dologged_in_conn =conn |> fetch_cookies() |> UserAuth.log_in_user(user, %{"remember_me" => "true"})user_token = logged_in_conn.cookies[@remember_me_cookie]%{value: signed_token} = logged_in_conn.resp_cookies[@remember_me_cookie]conn =conn|> put_req_cookie(@remember_me_cookie, signed_token)|> UserAuth.fetch_current_user([])assert get_session(conn, :user_token) == user_tokenassert conn.assigns.current_user.id == user.idendtest "does not authenticate if data is missing", %{conn: conn, user: user} do_ = Accounts.generate_user_session_token(user)conn = UserAuth.fetch_current_user(conn, [])refute get_session(conn, :user_token)refute conn.assigns.current_userendenddescribe "redirect_if_user_is_authenticated/2" dotest "redirects if user is authenticated", %{conn: conn, user: user} doconn = conn |> assign(:current_user, user) |> UserAuth.redirect_if_user_is_authenticated([])assert conn.haltedassert redirected_to(conn) == "/"endtest "does not redirect if user is not authenticated", %{conn: conn} doconn = UserAuth.redirect_if_user_is_authenticated(conn, [])refute conn.haltedrefute conn.statusendenddescribe "require_authenticated_user/2" dotest "redirects if user is not authenticated", %{conn: conn} doconn = conn |> fetch_flash() |> UserAuth.require_authenticated_user([])assert conn.haltedassert redirected_to(conn) == Routes.user_session_path(conn, :new)assert get_flash(conn, :error) == "You must log in to access this page."endtest "stores the path to redirect to on GET", %{conn: conn} dohalted_conn =%{conn | path_info: ["foo"], query_string: ""}|> fetch_flash()|> UserAuth.require_authenticated_user([])assert halted_conn.haltedassert get_session(halted_conn, :user_return_to) == "/foo"halted_conn =%{conn | path_info: ["foo"], query_string: "bar=baz"}|> fetch_flash()|> UserAuth.require_authenticated_user([])assert halted_conn.haltedassert get_session(halted_conn, :user_return_to) == "/foo?bar=baz"halted_conn =%{conn | path_info: ["foo"], query_string: "bar", method: "POST"}|> fetch_flash()|> UserAuth.require_authenticated_user([])assert halted_conn.haltedrefute get_session(halted_conn, :user_return_to)endtest "does not redirect if user is authenticated", %{conn: conn, user: user} doconn = conn |> assign(:current_user, user) |> UserAuth.require_authenticated_user([])refute conn.haltedrefute conn.statusendendend
defmodule SomethingErlangWeb.PageControllerTest douse SomethingErlangWeb.ConnCasetest "GET /", %{conn: conn} doconn = get(conn, "/")assert html_response(conn, 200) =~ "Welcome to Phoenix!"endend
defmodule SomethingErlang.ForumsTest douse SomethingErlang.DataCasealias SomethingErlang.Forumsdescribe "threads" doalias SomethingErlang.Forums.Threadimport SomethingErlang.ForumsFixtures@invalid_attrs %{thread_id: nil, title: nil}test "list_threads/0 returns all threads" dothread = thread_fixture()assert Forums.list_threads() == [thread]endtest "get_thread!/1 returns the thread with given id" dothread = thread_fixture()assert Forums.get_thread!(thread.id) == threadendtest "create_thread/1 with valid data creates a thread" dovalid_attrs = %{thread_id: 42, title: "some title"}assert {:ok, %Thread{} = thread} = Forums.create_thread(valid_attrs)assert thread.thread_id == 42assert thread.title == "some title"endtest "create_thread/1 with invalid data returns error changeset" doassert {:error, %Ecto.Changeset{}} = Forums.create_thread(@invalid_attrs)endtest "update_thread/2 with valid data updates the thread" dothread = thread_fixture()update_attrs = %{thread_id: 43, title: "some updated title"}assert {:ok, %Thread{} = thread} = Forums.update_thread(thread, update_attrs)assert thread.thread_id == 43assert thread.title == "some updated title"endtest "update_thread/2 with invalid data returns error changeset" dothread = thread_fixture()assert {:error, %Ecto.Changeset{}} = Forums.update_thread(thread, @invalid_attrs)assert thread == Forums.get_thread!(thread.id)endtest "delete_thread/1 deletes the thread" dothread = thread_fixture()assert {:ok, %Thread{}} = Forums.delete_thread(thread)assert_raise Ecto.NoResultsError, fn -> Forums.get_thread!(thread.id) endendtest "change_thread/1 returns a thread changeset" dothread = thread_fixture()assert %Ecto.Changeset{} = Forums.change_thread(thread)endendend
defmodule SomethingErlang.AccountsTest douse SomethingErlang.DataCasealias SomethingErlang.Accountsimport SomethingErlang.AccountsFixturesalias SomethingErlang.Accounts.{User, UserToken}describe "get_user_by_email/1" dotest "does not return the user if the email does not exist" dorefute Accounts.get_user_by_email("unknown@example.com")endtest "returns the user if the email exists" do%{id: id} = user = user_fixture()assert %User{id: ^id} = Accounts.get_user_by_email(user.email)endenddescribe "get_user_by_email_and_password/2" dotest "does not return the user if the email does not exist" dorefute Accounts.get_user_by_email_and_password("unknown@example.com", "hello world!")endtest "does not return the user if the password is not valid" douser = user_fixture()refute Accounts.get_user_by_email_and_password(user.email, "invalid")endtest "returns the user if the email and password are valid" do%{id: id} = user = user_fixture()assert %User{id: ^id} =Accounts.get_user_by_email_and_password(user.email, valid_user_password())endenddescribe "get_user!/1" dotest "raises if id is invalid" doassert_raise Ecto.NoResultsError, fn ->Accounts.get_user!(-1)endendtest "returns the user with the given id" do%{id: id} = user = user_fixture()assert %User{id: ^id} = Accounts.get_user!(user.id)endenddescribe "register_user/1" dotest "requires email and password to be set" do{:error, changeset} = Accounts.register_user(%{})assert %{password: ["can't be blank"],email: ["can't be blank"]} = errors_on(changeset)endtest "validates email and password when given" do{:error, changeset} = Accounts.register_user(%{email: "not valid", password: "not valid"})assert %{email: ["must have the @ sign and no spaces"],password: ["should be at least 12 character(s)"]} = errors_on(changeset)endtest "validates maximum values for email and password for security" dotoo_long = String.duplicate("db", 100){:error, changeset} = Accounts.register_user(%{email: too_long, password: too_long})assert "should be at most 160 character(s)" in errors_on(changeset).emailassert "should be at most 72 character(s)" in errors_on(changeset).passwordendtest "validates email uniqueness" do%{email: email} = user_fixture(){:error, changeset} = Accounts.register_user(%{email: email})assert "has already been taken" in errors_on(changeset).email# Now try with the upper cased email too, to check that email case is ignored.{:error, changeset} = Accounts.register_user(%{email: String.upcase(email)})assert "has already been taken" in errors_on(changeset).emailendtest "registers users with a hashed password" doemail = unique_user_email(){:ok, user} = Accounts.register_user(valid_user_attributes(email: email))assert user.email == emailassert is_binary(user.hashed_password)assert is_nil(user.confirmed_at)assert is_nil(user.password)endenddescribe "change_user_registration/2" dotest "returns a changeset" doassert %Ecto.Changeset{} = changeset = Accounts.change_user_registration(%User{})assert changeset.required == [:password, :email]endtest "allows fields to be set" doemail = unique_user_email()password = valid_user_password()changeset =Accounts.change_user_registration(%User{},valid_user_attributes(email: email, password: password))assert changeset.valid?assert get_change(changeset, :email) == emailassert get_change(changeset, :password) == passwordassert is_nil(get_change(changeset, :hashed_password))endenddescribe "change_user_email/2" dotest "returns a user changeset" doassert %Ecto.Changeset{} = changeset = Accounts.change_user_email(%User{})assert changeset.required == [:email]endenddescribe "apply_user_email/3" dosetup do%{user: user_fixture()}endtest "requires email to change", %{user: user} do{:error, changeset} = Accounts.apply_user_email(user, valid_user_password(), %{})assert %{email: ["did not change"]} = errors_on(changeset)endtest "validates email", %{user: user} do{:error, changeset} =Accounts.apply_user_email(user, valid_user_password(), %{email: "not valid"})assert %{email: ["must have the @ sign and no spaces"]} = errors_on(changeset)endtest "validates maximum value for email for security", %{user: user} dotoo_long = String.duplicate("db", 100){:error, changeset} =Accounts.apply_user_email(user, valid_user_password(), %{email: too_long})assert "should be at most 160 character(s)" in errors_on(changeset).emailendtest "validates email uniqueness", %{user: user} do%{email: email} = user_fixture(){:error, changeset} =Accounts.apply_user_email(user, valid_user_password(), %{email: email})assert "has already been taken" in errors_on(changeset).emailendtest "validates current password", %{user: user} do{:error, changeset} =Accounts.apply_user_email(user, "invalid", %{email: unique_user_email()})assert %{current_password: ["is not valid"]} = errors_on(changeset)endtest "applies the email without persisting it", %{user: user} doemail = unique_user_email(){:ok, user} = Accounts.apply_user_email(user, valid_user_password(), %{email: email})assert user.email == emailassert Accounts.get_user!(user.id).email != emailendenddescribe "deliver_update_email_instructions/3" dosetup do%{user: user_fixture()}endtest "sends token through notification", %{user: user} dotoken =extract_user_token(fn url ->Accounts.deliver_update_email_instructions(user, "current@example.com", url)end){:ok, token} = Base.url_decode64(token, padding: false)assert user_token = Repo.get_by(UserToken, token: :crypto.hash(:sha256, token))assert user_token.user_id == user.idassert user_token.sent_to == user.emailassert user_token.context == "change:current@example.com"endenddescribe "update_user_email/2" dosetup douser = user_fixture()email = unique_user_email()token =extract_user_token(fn url ->Accounts.deliver_update_email_instructions(%{user | email: email}, user.email, url)end)%{user: user, token: token, email: email}endtest "updates the email with a valid token", %{user: user, token: token, email: email} doassert Accounts.update_user_email(user, token) == :okchanged_user = Repo.get!(User, user.id)assert changed_user.email != user.emailassert changed_user.email == emailassert changed_user.confirmed_atassert changed_user.confirmed_at != user.confirmed_atrefute Repo.get_by(UserToken, user_id: user.id)endtest "does not update email with invalid token", %{user: user} doassert Accounts.update_user_email(user, "oops") == :errorassert Repo.get!(User, user.id).email == user.emailassert Repo.get_by(UserToken, user_id: user.id)endtest "does not update email if user email changed", %{user: user, token: token} doassert Accounts.update_user_email(%{user | email: "current@example.com"}, token) == :errorassert Repo.get!(User, user.id).email == user.emailassert Repo.get_by(UserToken, user_id: user.id)endtest "does not update email if token expired", %{user: user, token: token} do{1, nil} = Repo.update_all(UserToken, set: [inserted_at: ~N[2020-01-01 00:00:00]])assert Accounts.update_user_email(user, token) == :errorassert Repo.get!(User, user.id).email == user.emailassert Repo.get_by(UserToken, user_id: user.id)endenddescribe "change_user_password/2" dotest "returns a user changeset" doassert %Ecto.Changeset{} = changeset = Accounts.change_user_password(%User{})assert changeset.required == [:password]endtest "allows fields to be set" dochangeset =Accounts.change_user_password(%User{}, %{"password" => "new valid password"})assert changeset.valid?assert get_change(changeset, :password) == "new valid password"assert is_nil(get_change(changeset, :hashed_password))endenddescribe "update_user_password/3" dosetup do%{user: user_fixture()}endtest "validates password", %{user: user} do{:error, changeset} =Accounts.update_user_password(user, valid_user_password(), %{password: "not valid",password_confirmation: "another"})assert %{password: ["should be at least 12 character(s)"],password_confirmation: ["does not match password"]} = errors_on(changeset)endtest "validates maximum values for password for security", %{user: user} dotoo_long = String.duplicate("db", 100){:error, changeset} =Accounts.update_user_password(user, valid_user_password(), %{password: too_long})assert "should be at most 72 character(s)" in errors_on(changeset).passwordendtest "validates current password", %{user: user} do{:error, changeset} =Accounts.update_user_password(user, "invalid", %{password: valid_user_password()})assert %{current_password: ["is not valid"]} = errors_on(changeset)endtest "updates the password", %{user: user} do{:ok, user} =Accounts.update_user_password(user, valid_user_password(), %{password: "new valid password"})assert is_nil(user.password)assert Accounts.get_user_by_email_and_password(user.email, "new valid password")endtest "deletes all tokens for the given user", %{user: user} do_ = Accounts.generate_user_session_token(user){:ok, _} =Accounts.update_user_password(user, valid_user_password(), %{password: "new valid password"})refute Repo.get_by(UserToken, user_id: user.id)endenddescribe "generate_user_session_token/1" dosetup do%{user: user_fixture()}endtest "generates a token", %{user: user} dotoken = Accounts.generate_user_session_token(user)assert user_token = Repo.get_by(UserToken, token: token)assert user_token.context == "session"# Creating the same token for another user should failassert_raise Ecto.ConstraintError, fn ->Repo.insert!(%UserToken{token: user_token.token,user_id: user_fixture().id,context: "session"})endendenddescribe "get_user_by_session_token/1" dosetup douser = user_fixture()token = Accounts.generate_user_session_token(user)%{user: user, token: token}endtest "returns user by token", %{user: user, token: token} doassert session_user = Accounts.get_user_by_session_token(token)assert session_user.id == user.idendtest "does not return user for invalid token" dorefute Accounts.get_user_by_session_token("oops")endtest "does not return user for expired token", %{token: token} do{1, nil} = Repo.update_all(UserToken, set: [inserted_at: ~N[2020-01-01 00:00:00]])refute Accounts.get_user_by_session_token(token)endenddescribe "delete_session_token/1" dotest "deletes the token" douser = user_fixture()token = Accounts.generate_user_session_token(user)assert Accounts.delete_session_token(token) == :okrefute Accounts.get_user_by_session_token(token)endenddescribe "deliver_user_confirmation_instructions/2" dosetup do%{user: user_fixture()}endtest "sends token through notification", %{user: user} dotoken =extract_user_token(fn url ->Accounts.deliver_user_confirmation_instructions(user, url)end){:ok, token} = Base.url_decode64(token, padding: false)assert user_token = Repo.get_by(UserToken, token: :crypto.hash(:sha256, token))assert user_token.user_id == user.idassert user_token.sent_to == user.emailassert user_token.context == "confirm"endenddescribe "confirm_user/1" dosetup douser = user_fixture()token =extract_user_token(fn url ->Accounts.deliver_user_confirmation_instructions(user, url)end)%{user: user, token: token}endtest "confirms the email with a valid token", %{user: user, token: token} doassert {:ok, confirmed_user} = Accounts.confirm_user(token)assert confirmed_user.confirmed_atassert confirmed_user.confirmed_at != user.confirmed_atassert Repo.get!(User, user.id).confirmed_atrefute Repo.get_by(UserToken, user_id: user.id)endtest "does not confirm with invalid token", %{user: user} doassert Accounts.confirm_user("oops") == :errorrefute Repo.get!(User, user.id).confirmed_atassert Repo.get_by(UserToken, user_id: user.id)endtest "does not confirm email if token expired", %{user: user, token: token} do{1, nil} = Repo.update_all(UserToken, set: [inserted_at: ~N[2020-01-01 00:00:00]])assert Accounts.confirm_user(token) == :errorrefute Repo.get!(User, user.id).confirmed_atassert Repo.get_by(UserToken, user_id: user.id)endenddescribe "deliver_user_reset_password_instructions/2" dosetup do%{user: user_fixture()}endtest "sends token through notification", %{user: user} dotoken =extract_user_token(fn url ->Accounts.deliver_user_reset_password_instructions(user, url)end){:ok, token} = Base.url_decode64(token, padding: false)assert user_token = Repo.get_by(UserToken, token: :crypto.hash(:sha256, token))assert user_token.user_id == user.idassert user_token.sent_to == user.emailassert user_token.context == "reset_password"endenddescribe "get_user_by_reset_password_token/1" dosetup douser = user_fixture()token =extract_user_token(fn url ->Accounts.deliver_user_reset_password_instructions(user, url)end)%{user: user, token: token}endtest "returns the user with valid token", %{user: %{id: id}, token: token} doassert %User{id: ^id} = Accounts.get_user_by_reset_password_token(token)assert Repo.get_by(UserToken, user_id: id)endtest "does not return the user with invalid token", %{user: user} dorefute Accounts.get_user_by_reset_password_token("oops")assert Repo.get_by(UserToken, user_id: user.id)endtest "does not return the user if token expired", %{user: user, token: token} do{1, nil} = Repo.update_all(UserToken, set: [inserted_at: ~N[2020-01-01 00:00:00]])refute Accounts.get_user_by_reset_password_token(token)assert Repo.get_by(UserToken, user_id: user.id)endenddescribe "reset_user_password/2" dosetup do%{user: user_fixture()}endtest "validates password", %{user: user} do{:error, changeset} =Accounts.reset_user_password(user, %{password: "not valid",password_confirmation: "another"})assert %{password: ["should be at least 12 character(s)"],password_confirmation: ["does not match password"]} = errors_on(changeset)endtest "validates maximum values for password for security", %{user: user} dotoo_long = String.duplicate("db", 100){:error, changeset} = Accounts.reset_user_password(user, %{password: too_long})assert "should be at most 72 character(s)" in errors_on(changeset).passwordendtest "updates the password", %{user: user} do{:ok, updated_user} = Accounts.reset_user_password(user, %{password: "new valid password"})assert is_nil(updated_user.password)assert Accounts.get_user_by_email_and_password(user.email, "new valid password")endtest "deletes all tokens for the given user", %{user: user} do_ = Accounts.generate_user_session_token(user){:ok, _} = Accounts.reset_user_password(user, %{password: "new valid password"})refute Repo.get_by(UserToken, user_id: user.id)endenddescribe "inspect/2" dotest "does not include password" dorefute inspect(%User{password: "123456"}) =~ "password: \"123456\""endendend
# See https://www.robotstxt.org/robotstxt.html for documentation on how to use the robots.txt file## To ban all spiders from the entire site uncomment the next two lines:# User-agent: *# Disallow: /
# See https://www.robotstxt.org/robotstxt.html for documentation on how to use the robots.txt file## To ban all spiders from the entire site uncomment the next two lines:# User-agent: *# Disallow: /
# Script for populating the database. You can run it as:## mix run priv/repo/seeds.exs## Inside the script, you can read and write to any of your# repositories directly:## SomethingErlang.Repo.insert!(%SomethingErlang.SomeSchema{})## We recommend using the bang functions (`insert!`, `update!`# and so on) as they will fail if something goes wrong.
defmodule SomethingErlang.Repo.Migrations.UsersAddSadata douse Ecto.Migrationdef change doalter table("users") doadd :bbuserid, :stringadd :bbpassword, :stringendendend
defmodule SomethingErlang.Repo.Migrations.CreateThreads douse Ecto.Migrationdef change docreate table(:threads) doadd :title, :stringadd :thread_id, :integertimestamps()endendend
defmodule SomethingErlang.Repo.Migrations.CreateUsersAuthTables douse Ecto.Migrationdef change doexecute "CREATE EXTENSION IF NOT EXISTS citext", ""create table(:users) doadd :email, :citext, null: falseadd :hashed_password, :string, null: falseadd :confirmed_at, :naive_datetimetimestamps()endcreate unique_index(:users, [:email])create table(:users_tokens) doadd :user_id, references(:users, on_delete: :delete_all), null: falseadd :token, :binary, null: falseadd :context, :string, null: falseadd :sent_to, :stringtimestamps(updated_at: false)endcreate index(:users_tokens, [:user_id])create unique_index(:users_tokens, [:context, :token])endend
[import_deps: [:ecto_sql],inputs: ["*.exs"]]
## This is a PO Template file.#### `msgid`s here are often extracted from source code.## Add new translations manually only if they're dynamic## translations that can't be statically extracted.#### Run `mix gettext.extract` to bring this file up to## date. Leave `msgstr`s empty as changing them here has no## effect: edit them in PO (`.po`) files instead.## From Ecto.Changeset.cast/4msgid "can't be blank"msgstr ""## From Ecto.Changeset.unique_constraint/3msgid "has already been taken"msgstr ""## From Ecto.Changeset.put_change/3msgid "is invalid"msgstr ""## From Ecto.Changeset.validate_acceptance/3msgid "must be accepted"msgstr ""## From Ecto.Changeset.validate_format/3msgid "has invalid format"msgstr ""## From Ecto.Changeset.validate_subset/3msgid "has an invalid entry"msgstr ""## From Ecto.Changeset.validate_exclusion/3msgid "is reserved"msgstr ""## From Ecto.Changeset.validate_confirmation/3msgid "does not match confirmation"msgstr ""## From Ecto.Changeset.no_assoc_constraint/3msgid "is still associated with this entry"msgstr ""msgid "are still associated with this entry"msgstr ""## From Ecto.Changeset.validate_length/3msgid "should be %{count} character(s)"msgid_plural "should be %{count} character(s)"msgstr[0] ""msgstr[1] ""msgid "should have %{count} item(s)"msgid_plural "should have %{count} item(s)"msgstr[0] ""msgstr[1] ""msgid "should be at least %{count} character(s)"msgid_plural "should be at least %{count} character(s)"msgstr[0] ""msgstr[1] ""msgid "should have at least %{count} item(s)"msgid_plural "should have at least %{count} item(s)"msgstr[0] ""msgstr[1] ""msgid "should be at most %{count} character(s)"msgid_plural "should be at most %{count} character(s)"msgstr[0] ""msgstr[1] ""msgid "should have at most %{count} item(s)"msgid_plural "should have at most %{count} item(s)"msgstr[0] ""msgstr[1] ""## From Ecto.Changeset.validate_number/3msgid "must be less than %{number}"msgstr ""msgid "must be greater than %{number}"msgstr ""msgid "must be less than or equal to %{number}"msgstr ""msgid "must be greater than or equal to %{number}"msgstr ""msgid "must be equal to %{number}"msgstr ""
## `msgid`s in this file come from POT (.pot) files.#### Do not add, change, or remove `msgid`s manually here as## they're tied to the ones in the corresponding POT file## (with the same domain).#### Use `mix gettext.extract --merge` or `mix gettext.merge`## to merge POT files into PO files.msgid ""msgstr """Language: en\n"## From Ecto.Changeset.cast/4msgid "can't be blank"msgstr ""## From Ecto.Changeset.unique_constraint/3msgid "has already been taken"msgstr ""## From Ecto.Changeset.put_change/3msgid "is invalid"msgstr ""## From Ecto.Changeset.validate_acceptance/3msgid "must be accepted"msgstr ""## From Ecto.Changeset.validate_format/3msgid "has invalid format"msgstr ""## From Ecto.Changeset.validate_subset/3msgid "has an invalid entry"msgstr ""## From Ecto.Changeset.validate_exclusion/3msgid "is reserved"msgstr ""## From Ecto.Changeset.validate_confirmation/3msgid "does not match confirmation"msgstr ""## From Ecto.Changeset.no_assoc_constraint/3msgid "is still associated with this entry"msgstr ""msgid "are still associated with this entry"msgstr ""## From Ecto.Changeset.validate_length/3msgid "should have %{count} item(s)"msgid_plural "should have %{count} item(s)"msgstr[0] ""msgstr[1] ""msgid "should be %{count} character(s)"msgid_plural "should be %{count} character(s)"msgstr[0] ""msgstr[1] ""msgid "should be %{count} byte(s)"msgid_plural "should be %{count} byte(s)"msgstr[0] ""msgstr[1] ""msgid "should have at least %{count} item(s)"msgid_plural "should have at least %{count} item(s)"msgstr[0] ""msgstr[1] ""msgid "should be at least %{count} character(s)"msgid_plural "should be at least %{count} character(s)"msgstr[0] ""msgstr[1] ""msgid "should be at least %{count} byte(s)"msgid_plural "should be at least %{count} byte(s)"msgstr[0] ""msgstr[1] ""msgid "should have at most %{count} item(s)"msgid_plural "should have at most %{count} item(s)"msgstr[0] ""msgstr[1] ""msgid "should be at most %{count} character(s)"msgid_plural "should be at most %{count} character(s)"msgstr[0] ""msgstr[1] ""msgid "should be at most %{count} byte(s)"msgid_plural "should be at most %{count} byte(s)"msgstr[0] ""msgstr[1] ""## From Ecto.Changeset.validate_number/3msgid "must be less than %{number}"msgstr ""msgid "must be greater than %{number}"msgstr ""msgid "must be less than or equal to %{number}"msgstr ""msgid "must be greater than or equal to %{number}"msgstr ""msgid "must be equal to %{number}"msgstr ""
# Something Erlang## IntroIt's nice.## Routes```elixiralias SomethingErlangWeb.Router.Helpers, as: Routes``````elixirinitial_state = %{lv_pid: 123,thread_id: 123_456,page_number: 1}%{initial_state | page_number: 23}```## Grover's GenServer```elixirDynamicSupervisor.count_children(SomethingErlang.Supervisor.Grovers)``````elixirSomethingErlang.Grover.mount(%{bbuserid: 12345, bbpassword: "deadbeaf"})```## Client stuff```elixirdefmodule Client dodef cookies(args) when is_map(args) doEnum.map_join(args, ";", fn {k, v} -> "#{k}=#{v}" end)endendClient.cookies(%{a: "123", b: "anc"})``````elixirSomethingErlang.Accounts.get_user!(1)``````elixiruser = %{id: "162235", hash: "1542e8ab8b6cf65b766a32220143b97f"}SomethingErlang.AwfulApi.parsed_thread(3_898_279, 51, user)```<!-- livebook:{"branch_parent_index":3} -->## Bookmarks```elixirdoc = SomethingErlang.AwfulApi.Client.bookmarks_doc(1, user)html = Floki.parse_document!(doc)for td <- Floki.find(html, "tr.thread td") docase td do{"td", [{"class", <<"icon", _rest::binary>>} | _attrs], _} -> "icon"{"td", attrs, _} -> attrsendend``````elixirbookmarks = SomethingErlang.AwfulApi.bookmarks(user)``````elixirurl = SomethingErlang.AwfulApi.Client.thread_lastseen_page(3_898_279, user)```
# Client## Section```elixirSomethingErlangWeb```
%{"bcrypt_elixir": {:hex, :bcrypt_elixir, "3.0.1", "9be815469e6bfefec40fa74658ecbbe6897acfb57614df1416eeccd4903f602c", [:make, :mix], [{:comeonin, "~> 5.3", [hex: :comeonin, repo: "hexpm", optional: false]}, {:elixir_make, "~> 0.6", [hex: :elixir_make, repo: "hexpm", optional: false]}], "hexpm", "486bb95efb645d1efc6794c1ddd776a186a9a713abf06f45708a6ce324fb96cf"},"bunt": {:hex, :bunt, "0.2.0", "951c6e801e8b1d2cbe58ebbd3e616a869061ddadcc4863d0a2182541acae9a38", [:mix], [], "hexpm", "7af5c7e09fe1d40f76c8e4f9dd2be7cebd83909f31fee7cd0e9eadc567da8353"},"castore": {:hex, :castore, "0.1.17", "ba672681de4e51ed8ec1f74ed624d104c0db72742ea1a5e74edbc770c815182f", [:mix], [], "hexpm", "d9844227ed52d26e7519224525cb6868650c272d4a3d327ce3ca5570c12163f9"},"certifi": {:hex, :certifi, "2.9.0", "6f2a475689dd47f19fb74334859d460a2dc4e3252a3324bd2111b8f0429e7e21", [:rebar3], [], "hexpm", "266da46bdb06d6c6d35fde799bcb28d36d985d424ad7c08b5bb48f5b5cdd4641"},"codepagex": {:hex, :codepagex, "0.1.6", "49110d09a25ee336a983281a48ef883da4c6190481e0b063afe2db481af6117e", [:mix], [], "hexpm", "1521461097dde281edf084062f525a4edc6a5e49f4fd1f5ec41c9c4955d5bd59"},"comeonin": {:hex, :comeonin, "5.3.3", "2c564dac95a35650e9b6acfe6d2952083d8a08e4a89b93a481acb552b325892e", [:mix], [], "hexpm", "3e38c9c2cb080828116597ca8807bb482618a315bfafd98c90bc22a821cc84df"},"connection": {:hex, :connection, "1.1.0", "ff2a49c4b75b6fb3e674bfc5536451607270aac754ffd1bdfe175abe4a6d7a68", [:mix], [], "hexpm", "722c1eb0a418fbe91ba7bd59a47e28008a189d47e37e0e7bb85585a016b2869c"},"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"},"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"},"cowlib": {:hex, :cowlib, "2.11.0", "0b9ff9c346629256c42ebe1eeb769a83c6cb771a6ee5960bd110ab0b9b872063", [:make, :rebar3], [], "hexpm", "2b3e9da0b21c4565751a6d4901c20d1b4cc25cbb7fd50d91d2ab6dd287bc86a9"},"credo": {:hex, :credo, "1.6.5", "330ca591c12244ab95498d8f47994c493064b2689febf1236d43d596b4f2261d", [:mix], [{:bunt, "~> 0.2.0", [hex: :bunt, repo: "hexpm", optional: false]}, {:file_system, "~> 0.2.8", [hex: :file_system, repo: "hexpm", optional: false]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: false]}], "hexpm", "101de53e6907397c3246ccd2cc9b9f0d3fc0b7805b8e1c1c3d818471fc85bafd"},"db_connection": {:hex, :db_connection, "2.4.2", "f92e79aff2375299a16bcb069a14ee8615c3414863a6fef93156aee8e86c2ff3", [:mix], [{:connection, "~> 1.0", [hex: :connection, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "4fe53ca91b99f55ea249693a0229356a08f4d1a7931d8ffa79289b145fe83668"},"decimal": {:hex, :decimal, "2.0.0", "a78296e617b0f5dd4c6caf57c714431347912ffb1d0842e998e9792b5642d697", [:mix], [], "hexpm", "34666e9c55dea81013e77d9d87370fe6cb6291d1ef32f46a1600230b1d44f577"},"ecto": {:hex, :ecto, "3.8.4", "e06b8b87e62b27fea17fd2ff6041572ddd10339fd16cdf58446e402c6c90a74b", [:mix], [{:decimal, "~> 1.6 or ~> 2.0", [hex: :decimal, repo: "hexpm", optional: false]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: true]}, {:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "f9244288b8d42db40515463a008cf3f4e0e564bb9c249fe87bf28a6d79fe82d4"},"ecto_sql": {:hex, :ecto_sql, "3.8.3", "a7d22c624202546a39d615ed7a6b784580391e65723f2d24f65941b4dd73d471", [:mix], [{:db_connection, "~> 2.5 or ~> 2.4.1", [hex: :db_connection, repo: "hexpm", optional: false]}, {:ecto, "~> 3.8.4", [hex: :ecto, repo: "hexpm", optional: false]}, {:myxql, "~> 0.6.0", [hex: :myxql, repo: "hexpm", optional: true]}, {:postgrex, "~> 0.15.0 or ~> 0.16.0 or ~> 1.0", [hex: :postgrex, repo: "hexpm", optional: true]}, {:tds, "~> 2.1.1 or ~> 2.2", [hex: :tds, repo: "hexpm", optional: true]}, {:telemetry, "~> 0.4.0 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "348cb17fb9e6daf6f251a87049eafcb57805e2892e5e6a0f5dea0985d367329b"},"elixir_make": {:hex, :elixir_make, "0.6.3", "bc07d53221216838d79e03a8019d0839786703129599e9619f4ab74c8c096eac", [:mix], [], "hexpm", "f5cbd651c5678bcaabdbb7857658ee106b12509cd976c2c2fca99688e1daf716"},"esbuild": {:hex, :esbuild, "0.5.0", "d5bb08ff049d7880ee3609ed5c4b864bd2f46445ea40b16b4acead724fb4c4a3", [:mix], [{:castore, ">= 0.0.0", [hex: :castore, repo: "hexpm", optional: false]}], "hexpm", "f183a0b332d963c4cfaf585477695ea59eef9a6f2204fdd0efa00e099694ffe5"},"file_system": {:hex, :file_system, "0.2.10", "fb082005a9cd1711c05b5248710f8826b02d7d1784e7c3451f9c1231d4fc162d", [:mix], [], "hexpm", "41195edbfb562a593726eda3b3e8b103a309b733ad25f3d642ba49696bf715dc"},"finch": {:hex, :finch, "0.13.0", "c881e5460ec563bf02d4f4584079e62201db676ed4c0ef3e59189331c4eddf7b", [:mix], [{:castore, "~> 0.1", [hex: :castore, repo: "hexpm", optional: false]}, {:mime, "~> 1.0 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:mint, "~> 1.3", [hex: :mint, repo: "hexpm", optional: false]}, {:nimble_options, "~> 0.4.0", [hex: :nimble_options, repo: "hexpm", optional: false]}, {:nimble_pool, "~> 0.2.6", [hex: :nimble_pool, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "49957dcde10dcdc042a123a507a9c5ec5a803f53646d451db2f7dea696fba6cc"},"floki": {:hex, :floki, "0.33.1", "f20f1eb471e726342b45ccb68edb9486729e7df94da403936ea94a794f072781", [:mix], [{:html_entities, "~> 0.5.0", [hex: :html_entities, repo: "hexpm", optional: false]}], "hexpm", "461035fd125f13fdf30f243c85a0b1e50afbec876cbf1ceefe6fddd2e6d712c6"},"gettext": {:hex, :gettext, "0.19.1", "564953fd21f29358e68b91634799d9d26989f8d039d7512622efb3c3b1c97892", [:mix], [], "hexpm", "10c656c0912b8299adba9b061c06947511e3f109ab0d18b44a866a4498e77222"},"hackney": {:hex, :hackney, "1.18.1", "f48bf88f521f2a229fc7bae88cf4f85adc9cd9bcf23b5dc8eb6a1788c662c4f6", [:rebar3], [{:certifi, "~>2.9.0", [hex: :certifi, repo: "hexpm", optional: false]}, {:idna, "~>6.1.0", [hex: :idna, repo: "hexpm", optional: false]}, {:metrics, "~>1.0.0", [hex: :metrics, repo: "hexpm", optional: false]}, {:mimerl, "~>1.1", [hex: :mimerl, repo: "hexpm", optional: false]}, {:parse_trans, "3.3.1", [hex: :parse_trans, repo: "hexpm", optional: false]}, {:ssl_verify_fun, "~>1.1.0", [hex: :ssl_verify_fun, repo: "hexpm", optional: false]}, {:unicode_util_compat, "~>0.7.0", [hex: :unicode_util_compat, repo: "hexpm", optional: false]}], "hexpm", "a4ecdaff44297e9b5894ae499e9a070ea1888c84afdd1fd9b7b2bc384950128e"},"hpax": {:hex, :hpax, "0.1.1", "2396c313683ada39e98c20a75a82911592b47e5c24391363343bde74f82396ca", [:mix], [], "hexpm", "0ae7d5a0b04a8a60caf7a39fcf3ec476f35cc2cc16c05abea730d3ce6ac6c826"},"html_entities": {:hex, :html_entities, "0.5.2", "9e47e70598da7de2a9ff6af8758399251db6dbb7eebe2b013f2bbd2515895c3c", [:mix], [], "hexpm", "c53ba390403485615623b9531e97696f076ed415e8d8058b1dbaa28181f4fdcc"},"httpoison": {:hex, :httpoison, "1.8.1", "df030d96de89dad2e9983f92b0c506a642d4b1f4a819c96ff77d12796189c63e", [:mix], [{:hackney, "~> 1.17", [hex: :hackney, repo: "hexpm", optional: false]}], "hexpm", "35156a6d678d6d516b9229e208942c405cf21232edd632327ecfaf4fd03e79e0"},"idna": {:hex, :idna, "6.1.1", "8a63070e9f7d0c62eb9d9fcb360a7de382448200fbbd1b106cc96d3d8099df8d", [:rebar3], [{:unicode_util_compat, "~>0.7.0", [hex: :unicode_util_compat, repo: "hexpm", optional: false]}], "hexpm", "92376eb7894412ed19ac475e4a86f7b413c1b9fbb5bd16dccd57934157944cea"},"jason": {:hex, :jason, "1.3.0", "fa6b82a934feb176263ad2df0dbd91bf633d4a46ebfdffea0c8ae82953714946", [:mix], [{:decimal, "~> 1.0 or ~> 2.0", [hex: :decimal, repo: "hexpm", optional: true]}], "hexpm", "53fc1f51255390e0ec7e50f9cb41e751c260d065dcba2bf0d08dc51a4002c2ac"},"metrics": {:hex, :metrics, "1.0.1", "25f094dea2cda98213cecc3aeff09e940299d950904393b2a29d191c346a8486", [:rebar3], [], "hexpm", "69b09adddc4f74a40716ae54d140f93beb0fb8978d8636eaded0c31b6f099f16"},"mime": {:hex, :mime, "2.0.2", "0b9e1a4c840eafb68d820b0e2158ef5c49385d17fb36855ac6e7e087d4b1dcc5", [:mix], [], "hexpm", "e6a3f76b4c277739e36c2e21a2c640778ba4c3846189d5ab19f97f126df5f9b7"},"mimerl": {:hex, :mimerl, "1.2.0", "67e2d3f571088d5cfd3e550c383094b47159f3eee8ffa08e64106cdf5e981be3", [:rebar3], [], "hexpm", "f278585650aa581986264638ebf698f8bb19df297f66ad91b18910dfc6e19323"},"mint": {:hex, :mint, "1.4.2", "50330223429a6e1260b2ca5415f69b0ab086141bc76dc2fbf34d7c389a6675b2", [:mix], [{:castore, "~> 0.1.0", [hex: :castore, repo: "hexpm", optional: true]}, {:hpax, "~> 0.1.1", [hex: :hpax, repo: "hexpm", optional: false]}], "hexpm", "ce75a5bbcc59b4d7d8d70f8b2fc284b1751ffb35c7b6a6302b5192f8ab4ddd80"},"nimble_options": {:hex, :nimble_options, "0.4.0", "c89babbab52221a24b8d1ff9e7d838be70f0d871be823165c94dd3418eea728f", [:mix], [], "hexpm", "e6701c1af326a11eea9634a3b1c62b475339ace9456c1a23ec3bc9a847bca02d"},"nimble_pool": {:hex, :nimble_pool, "0.2.6", "91f2f4c357da4c4a0a548286c84a3a28004f68f05609b4534526871a22053cde", [:mix], [], "hexpm", "1c715055095d3f2705c4e236c18b618420a35490da94149ff8b580a2144f653f"},"parse_trans": {:hex, :parse_trans, "3.3.1", "16328ab840cc09919bd10dab29e431da3af9e9e7e7e6f0089dd5a2d2820011d8", [:rebar3], [], "hexpm", "07cd9577885f56362d414e8c4c4e6bdf10d43a8767abb92d24cbe8b24c54888b"},"phoenix": {:hex, :phoenix, "1.6.11", "29f3c0fd12fa1fc4d4b05e341578e55bc78d96ea83a022587a7e276884d397e4", [: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", "1664e34f80c25ea4918fbadd957f491225ef601c0e00b4e644b1a772864bfbc2"},"phoenix_ecto": {:hex, :phoenix_ecto, "4.4.0", "0672ed4e4808b3fbed494dded89958e22fb882de47a97634c0b13e7b0b5f7720", [:mix], [{:ecto, "~> 3.3", [hex: :ecto, repo: "hexpm", optional: false]}, {:phoenix_html, "~> 2.14.2 or ~> 3.0", [hex: :phoenix_html, repo: "hexpm", optional: true]}, {:plug, "~> 1.9", [hex: :plug, repo: "hexpm", optional: false]}], "hexpm", "09864e558ed31ee00bd48fcc1d4fc58ae9678c9e81649075431e69dbabb43cc1"},"phoenix_html": {:hex, :phoenix_html, "3.2.0", "1c1219d4b6cb22ac72f12f73dc5fad6c7563104d083f711c3fcd8551a1f4ae11", [:mix], [{:plug, "~> 1.5", [hex: :plug, repo: "hexpm", optional: true]}], "hexpm", "36ec97ba56d25c0136ef1992c37957e4246b649d620958a1f9fa86165f8bc54f"},"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"},"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"},"phoenix_live_view": {:hex, :phoenix_live_view, "0.17.11", "205f6aa5405648c76f2abcd57716f42fc07d8f21dd8ea7b262dd12b324b50c95", [:mix], [{:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: true]}, {:phoenix, "~> 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", "7177791944b7f90ed18f5935a6a5f07f760b36f7b3bdfb9d28c57440a3c43f99"},"phoenix_pubsub": {:hex, :phoenix_pubsub, "2.1.1", "ba04e489ef03763bf28a17eb2eaddc2c20c6d217e2150a61e3298b0f4c2012b5", [:mix], [], "hexpm", "81367c6d1eea5878ad726be80808eb5a787a23dee699f96e72b1109c57cdd8d9"},"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"},"plug": {:hex, :plug, "1.13.6", "187beb6b67c6cec50503e940f0434ea4692b19384d47e5fdfd701e93cadb4cc2", [: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", "02b9c6b9955bce92c829f31d6284bf53c591ca63c4fb9ff81dfd0418667a34ff"},"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"},"plug_crypto": {:hex, :plug_crypto, "1.2.2", "05654514ac717ff3a1843204b424477d9e60c143406aa94daf2274fdd280794d", [:mix], [], "hexpm", "87631c7ad914a5a445f0a3809f99b079113ae4ed4b867348dd9eec288cecb6db"},"postgrex": {:hex, :postgrex, "0.16.3", "fac79a81a9a234b11c44235a4494d8565303fa4b9147acf57e48978a074971db", [:mix], [{:connection, "~> 1.1", [hex: :connection, repo: "hexpm", optional: false]}, {:db_connection, "~> 2.1", [hex: :db_connection, repo: "hexpm", optional: false]}, {:decimal, "~> 1.5 or ~> 2.0", [hex: :decimal, repo: "hexpm", optional: false]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: true]}, {:table, "~> 0.1.0", [hex: :table, repo: "hexpm", optional: true]}], "hexpm", "aeaae1d2d1322da4e5fe90d241b0a564ce03a3add09d7270fb85362166194590"},"ranch": {:hex, :ranch, "1.8.0", "8c7a100a139fd57f17327b6413e4167ac559fbc04ca7448e9be9057311597a1d", [:make, :rebar3], [], "hexpm", "49fbcfd3682fab1f5d109351b61257676da1a2fdbe295904176d5e521a2ddfe5"},"req": {:hex, :req, "0.3.0", "45944bfa0ea21294ad269e2025b9983dd084cc89125c4fc0a8de8a4e7869486b", [:mix], [{:brotli, "~> 0.3.1", [hex: :brotli, repo: "hexpm", optional: true]}, {:ezstd, "~> 1.0", [hex: :ezstd, repo: "hexpm", optional: true]}, {:finch, "~> 0.9", [hex: :finch, repo: "hexpm", optional: false]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: false]}, {:mime, "~> 1.6 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:nimble_csv, "~> 1.0", [hex: :nimble_csv, repo: "hexpm", optional: true]}, {:plug, "~> 1.0", [hex: :plug, repo: "hexpm", optional: true]}], "hexpm", "1212a3e047eede0fa7eeb84c30d08206d44bb120df98b6f6b9a9e04910954a71"},"ssl_verify_fun": {:hex, :ssl_verify_fun, "1.1.6", "cf344f5692c82d2cd7554f5ec8fd961548d4fd09e7d22f5b62482e5aeaebd4b0", [:make, :mix, :rebar3], [], "hexpm", "bdb0d2471f453c88ff3908e7686f86f9be327d065cc1ec16fa4540197ea04680"},"swoosh": {:hex, :swoosh, "1.7.3", "febb47c8c3ce76747eb9e3ea25ed694c815f72069127e3bb039b7724082ec670", [:mix], [{:cowboy, "~> 1.1 or ~> 2.4", [hex: :cowboy, repo: "hexpm", optional: true]}, {:ex_aws, "~> 2.1", [hex: :ex_aws, 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", "76abac313f95b6825baa8ceec269d597e8395950c928742fc6451d3456ca256d"},"tailwind": {:hex, :tailwind, "0.1.8", "3762defebc8e328fb19ff1afb8c37723e53b52be5ca74f0b8d0a02d1f3f432cf", [:mix], [{:castore, ">= 0.0.0", [hex: :castore, repo: "hexpm", optional: false]}], "hexpm", "40061d1bf2c0505c6b87be7a3ed05243fc10f6e1af4bac3336db8358bc84d4cc"},"telemetry": {:hex, :telemetry, "1.1.0", "a589817034a27eab11144ad24d5c0f9fab1f58173274b1e9bae7074af9cbee51", [:rebar3], [], "hexpm", "b727b2a1f75614774cff2d7565b64d0dfa5bd52ba517f16543e6fc7efcc0df48"},"telemetry_metrics": {:hex, :telemetry_metrics, "0.6.1", "315d9163a1d4660aedc3fee73f33f1d355dcc76c5c3ab3d59e76e3edf80eef1f", [:mix], [{:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "7be9e0871c41732c233be71e4be11b96e56177bf15dde64a8ac9ce72ac9834c6"},"telemetry_poller": {:hex, :telemetry_poller, "1.0.0", "db91bb424e07f2bb6e73926fcafbfcbcb295f0193e0a00e825e589a0a47e8453", [:rebar3], [{:telemetry, "~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "b3a24eafd66c3f42da30fc3ca7dda1e9d546c12250a2d60d7b81d264fbec4f6e"},"unicode_util_compat": {:hex, :unicode_util_compat, "0.7.0", "bc84380c9ab48177092f43ac89e4dfa2c6d62b40b8bd132b1059ecc7232f9a78", [:rebar3], [], "hexpm", "25eee6d67df61960cf6a794239566599b09e17e668d3700247bc498638152521"},}
defmodule SomethingErlang.MixProject douse Mix.Projectdef project do[app: :something_erlang,version: "0.1.0",elixir: "~> 1.12",elixirc_paths: elixirc_paths(Mix.env()),compilers: [:gettext] ++ Mix.compilers(),start_permanent: Mix.env() == :prod,aliases: aliases(),deps: deps()]end# Configuration for the OTP application.## Type `mix help compile.app` for more information.def application do[mod: {SomethingErlang.Application, []},extra_applications: [:logger, :runtime_tools]]end# Specifies which paths to compile per environment.defp elixirc_paths(:test), do: ["lib", "test/support"]defp elixirc_paths(_), do: ["lib"]# Specifies your project dependencies.## Type `mix help deps` for examples and options.defp deps do[{:bcrypt_elixir, "~> 3.0"},{:phoenix, "~> 1.6.9"},{:phoenix_ecto, "~> 4.4"},{:ecto_sql, "~> 3.6"},{:postgrex, ">= 0.0.0"},{:phoenix_html, "~> 3.0"},{:phoenix_live_reload, "~> 1.2", only: :dev},{:phoenix_live_view, "~> 0.17.5"},{:floki, ">= 0.30.0"},{:phoenix_live_dashboard, "~> 0.6"},{:esbuild, "~> 0.4", runtime: Mix.env() == :dev},{:swoosh, "~> 1.3"},{:telemetry_metrics, "~> 0.6"},{:telemetry_poller, "~> 1.0"},{:gettext, "~> 0.18"},{:jason, "~> 1.2"},{:plug_cowboy, "~> 2.5"},{:tailwind, "~> 0.1", runtime: Mix.env() == :dev},{:credo, "~> 1.6", only: [:dev, :test], runtime: false},{:req, "~> 0.3.0"}]end# Aliases are shortcuts or tasks specific to the current project.# For example, to install project dependencies and perform other setup tasks, run:## $ mix setup## See the documentation for `Mix` for more info on aliases.defp aliases do[setup: ["deps.get", "ecto.setup"],"ecto.setup": ["ecto.create", "ecto.migrate", "run priv/repo/seeds.exs"],"ecto.reset": ["ecto.drop", "ecto.setup"],test: ["ecto.create --quiet", "ecto.migrate --quiet", "test"],"assets.deploy": ["tailwind default --minify","esbuild default --minify","phx.digest"]]endend
defmodule SomethingErlangWeb do@moduledoc """The entrypoint for defining your web interface, suchas controllers, views, channels and so on.This can be used in your application as:use SomethingErlangWeb, :controlleruse SomethingErlangWeb, :viewThe definitions below will be executed for every view,controller, etc, so keep them short and clean, focusedon imports, uses and aliases.Do NOT define functions inside the quoted expressionsbelow. Instead, define any helper function in modulesand import those modules here."""def controller doquote douse Phoenix.Controller, namespace: SomethingErlangWebimport Plug.Connimport SomethingErlangWeb.Gettextalias SomethingErlangWeb.Router.Helpers, as: Routesendenddef view doquote douse Phoenix.View,root: "lib/something_erlang_web/templates",namespace: SomethingErlangWeb# Import convenience functions from controllersimport Phoenix.Controller,only: [get_flash: 1, get_flash: 2, view_module: 1, view_template: 1]# Include shared imports and aliases for viewsunquote(view_helpers())endenddef live_view doquote douse Phoenix.LiveView,layout: {SomethingErlangWeb.LayoutView, "live.html"}unquote(view_helpers())endenddef live_component doquote douse Phoenix.LiveComponentunquote(view_helpers())endenddef component doquote douse Phoenix.Componentunquote(view_helpers())endenddef router doquote douse Phoenix.Routerimport Plug.Connimport Phoenix.Controllerimport Phoenix.LiveView.Routerendenddef channel doquote douse Phoenix.Channelimport SomethingErlangWeb.Gettextendenddefp view_helpers doquote do# Use all HTML functionality (forms, tags, etc)use Phoenix.HTML# Import LiveView and .heex helpers (live_render, live_patch, <.form>, etc)import Phoenix.LiveView.Helpersimport SomethingErlangWeb.LiveHelpers# Import basic rendering functionality (render, render_layout, etc)import Phoenix.Viewimport SomethingErlangWeb.ErrorHelpersimport SomethingErlangWeb.Gettextalias SomethingErlangWeb.Router.Helpers, as: Routesalias SomethingErlangWeb.Iconsendend@doc """When used, dispatch to the appropriate controller/view/etc."""defmacro __using__(which) when is_atom(which) doapply(__MODULE__, which, [])endend
defmodule SomethingErlangWeb.UserSettingsView douse SomethingErlangWeb, :viewend
defmodule SomethingErlangWeb.UserSessionView douse SomethingErlangWeb, :viewend
defmodule SomethingErlangWeb.UserResetPasswordView douse SomethingErlangWeb, :viewend
defmodule SomethingErlangWeb.UserRegistrationView douse SomethingErlangWeb, :viewend
defmodule SomethingErlangWeb.UserConfirmationView douse SomethingErlangWeb, :viewend
defmodule SomethingErlangWeb.PageView douse SomethingErlangWeb, :viewend
defmodule SomethingErlangWeb.LayoutView douse SomethingErlangWeb, :view# Phoenix LiveDashboard is available only in development by default,# so we instruct Elixir to not warn if the dashboard route is missing.@compile {:no_warn_undefined, {Routes, :live_dashboard_path, 2}}end
defmodule SomethingErlangWeb.ErrorView douse SomethingErlangWeb, :view# If you want to customize a particular status code# for a certain format, you may uncomment below.# def render("500.html", _assigns) do# "Internal Server Error"# end# By default, Phoenix returns the status message from# the template name. For example, "404.html" becomes# "Not Found".def template_not_found(template, _assigns) doPhoenix.Controller.status_message_from_template(template)endend
defmodule SomethingErlangWeb.ErrorHelpers do@moduledoc """Conveniences for translating and building error messages."""use Phoenix.HTML@doc """Generates tag for inlined form input errors."""def error_tag(form, field) doEnum.map(Keyword.get_values(form.errors, field), fn error ->content_tag(:span, translate_error(error),class: "invalid-feedback",phx_feedback_for: input_name(form, field))end)end@doc """Translates an error message using gettext."""def translate_error({msg, opts}) do# When using gettext, we typically pass the strings we want# to translate as a static argument:## # Translate "is invalid" in the "errors" domain# dgettext("errors", "is invalid")## # Translate the number of files with plural rules# dngettext("errors", "1 file", "%{count} files", count)## Because the error messages we show in our forms and APIs# are defined inside Ecto, we need to translate them dynamically.# This requires us to call the Gettext module passing our gettext# backend as first argument.## Note we use the "errors" domain, which means translations# should be written to the errors.po file. The :count option is# set by Ecto and indicates we should also apply plural rules.if count = opts[:count] doGettext.dngettext(SomethingErlangWeb.Gettext, "errors", msg, msg, count, opts)elseGettext.dgettext(SomethingErlangWeb.Gettext, "errors", msg, opts)endendend
<h1>Settings</h1><h3>Change SA data</h3><.form let={f} for={@sadata_changeset}action={Routes.user_settings_path(@conn, :update)}id="update_sadata"><%= if @sadata_changeset.action do %><div class="alert alert-danger"><p>Oops, something went wrong! Please check the errors below.</p></div><% end %><%= hidden_input f, :action, name: "action", value: "update_sadata" %><%= label f, :bbuserid %><%= text_input f, :bbuserid, required: true %><%= error_tag f, :bbuserid %><%= label f, :bbpassword %><%= text_input f, :bbpassword, required: true %><%= error_tag f, :bbpassword %><div><%= submit "Change sadata", class: "btn" %></div></.form><h3>Change email</h3><.form let={f} for={@email_changeset} action={Routes.user_settings_path(@conn, :update)} id="update_email"><%= if @email_changeset.action do %><div class="alert alert-danger"><p>Oops, something went wrong! Please check the errors below.</p></div><% end %><%= hidden_input f, :action, name: "action", value: "update_email" %><%= label f, :email %><%= email_input f, :email, required: true %><%= error_tag f, :email %><%= label f, :current_password, for: "current_password_for_email" %><%= password_input f, :current_password, required: true, name: "current_password", id: "current_password_for_email" %><%= error_tag f, :current_password %><div><%= submit "Change email", class: "btn" %></div></.form><h3>Change password</h3><.form let={f} for={@password_changeset} action={Routes.user_settings_path(@conn, :update)} id="update_password"><%= if @password_changeset.action do %><div class="alert alert-danger"><p>Oops, something went wrong! Please check the errors below.</p></div><% end %><%= hidden_input f, :action, name: "action", value: "update_password" %><%= label f, :password, "New password" %><%= password_input f, :password, required: true %><%= error_tag f, :password %><%= label f, :password_confirmation, "Confirm new password" %><%= password_input f, :password_confirmation, required: true %><%= error_tag f, :password_confirmation %><%= label f, :current_password, for: "current_password_for_password" %><%= password_input f, :current_password, required: true, name: "current_password", id: "current_password_for_password" %><%= error_tag f, :current_password %><div><%= submit "Change password", class: "btn" %></div></.form>
<h1>Log in</h1><.form let={f} for={@conn} action={Routes.user_session_path(@conn, :create)} as={:user}><%= if @error_message do %><div class="alert alert-danger"><p><%= @error_message %></p></div><% end %><%= label f, :email %><%= email_input f, :email, required: true %><%= label f, :password %><%= password_input f, :password, required: true %><%= label f, :remember_me, "Keep me logged in for 60 days" %><%= checkbox f, :remember_me %><div><%= submit "Log in" %></div></.form><p><%= link "Register", to: Routes.user_registration_path(@conn, :new) %> |<%= link "Forgot your password?", to: Routes.user_reset_password_path(@conn, :new) %></p>
<h1>Forgot your password?</h1><.form let={f} for={:user} action={Routes.user_reset_password_path(@conn, :create)}><%= label f, :email %><%= email_input f, :email, required: true %><div><%= submit "Send instructions to reset password" %></div></.form><p><%= link "Register", to: Routes.user_registration_path(@conn, :new) %> |<%= link "Log in", to: Routes.user_session_path(@conn, :new) %></p>
<h1>Reset password</h1><.form let={f} for={@changeset} action={Routes.user_reset_password_path(@conn, :update, @token)}><%= if @changeset.action do %><div class="alert alert-danger"><p>Oops, something went wrong! Please check the errors below.</p></div><% end %><%= label f, :password, "New password" %><%= password_input f, :password, required: true %><%= error_tag f, :password %><%= label f, :password_confirmation, "Confirm new password" %><%= password_input f, :password_confirmation, required: true %><%= error_tag f, :password_confirmation %><div><%= submit "Reset password" %></div></.form><p><%= link "Register", to: Routes.user_registration_path(@conn, :new) %> |<%= link "Log in", to: Routes.user_session_path(@conn, :new) %></p>
<h1>Register</h1><.form let={f} for={@changeset} action={Routes.user_registration_path(@conn, :create)}><%= if @changeset.action do %><div class="alert alert-danger"><p>Oops, something went wrong! Please check the errors below.</p></div><% end %><%= label f, :email %><%= email_input f, :email, required: true %><%= error_tag f, :email %><%= label f, :password %><%= password_input f, :password, required: true %><%= error_tag f, :password %><div><%= submit "Register" %></div></.form><p><%= link "Log in", to: Routes.user_session_path(@conn, :new) %> |<%= link "Forgot your password?", to: Routes.user_reset_password_path(@conn, :new) %></p>
<h1>Resend confirmation instructions</h1><.form let={f} for={:user} action={Routes.user_confirmation_path(@conn, :create)}><%= label f, :email %><%= email_input f, :email, required: true %><div><%= submit "Resend confirmation instructions" %></div></.form><p><%= link "Register", to: Routes.user_registration_path(@conn, :new) %> |<%= link "Log in", to: Routes.user_session_path(@conn, :new) %></p>
<h1>Confirm account</h1><.form let={_f} for={:user} action={Routes.user_confirmation_path(@conn, :update, @token)}><div><%= submit "Confirm my account" %></div></.form><p><%= link "Register", to: Routes.user_registration_path(@conn, :new) %> |<%= link "Log in", to: Routes.user_session_path(@conn, :new) %></p>
<%= form_for @conn,Routes.page_path(@conn, :to_forum_path), [as: :to], fn f -> %>Something Awful URL: <%= url_input f, :forum_path %><%= submit "Redirect", class: "btn btn-sm" %><% end %>
<!DOCTYPE html><html lang="en"><head><meta charset="utf-8"/><meta http-equiv="X-UA-Compatible" content="IE=edge"/><meta name="viewport" content="width=device-width, initial-scale=1.0"/><meta name="csrf-token" content={csrf_token_value()}><%= live_title_tag assigns[:page_title] || "This awesome page",suffix: " · Something Erlang" %><link phx-track-static rel="stylesheet"href={Routes.static_path(@conn, "/assets/app.css")}/><script defer phx-track-static type="text/javascript"src={Routes.static_path(@conn, "/assets/app.js")}></script></head><body><header><nav><div class="navbar"><div class="flex-1"><%= if function_exported?(Routes, :live_dashboard_path, 2) do %><%= link to: Routes.live_dashboard_path(@conn, :home) do %><Icons.graph_box /><% end %><% end %></div><div class="flex-none"><%= render "_user_menu.html", assigns %></div></div></nav></header><%= @inner_content %><footer class="footer p-10 bg-neutral text-neutral-content"><div class="flex flex-1"><Icons.heart /> 2022</div></footer></body></html>
<main class="container mx-auto"><p class="alert alert-info" role="alert"phx-click="lv:clear-flash"phx-value-key="info"><%= live_flash(@flash, :info) %></p><p class="alert alert-danger" role="alert"phx-click="lv:clear-flash"phx-value-key="error"><%= live_flash(@flash, :error) %></p><%= @inner_content %></main>
<main class="container mx-auto"><p class="alert alert-info" role="alert"><%= get_flash(@conn, :info) %></p><p class="alert alert-danger" role="alert"><%= get_flash(@conn, :error) %></p><%= @inner_content %></main>
<div class="user-box flex gap-2"><%= if @current_user do %><h4 class=""><%= @current_user.email %></h4><div class="tooltip tooltip-bottom" data-tip="Settings"><%= button class: "btn btn-square btn-outline btn-sm", to: Routes.user_settings_path(@conn, :edit), method: :get do %><Icons.settings /><% end %></div><%= button "Log out", class: "btn btn-outline btn-sm",to: Routes.user_session_path(@conn, :delete), method: :delete %><% else %><%= link "Register", class: "link",to: Routes.user_registration_path(@conn, :new) %><%= button "Log in", class: "btn btn-sm",to: Routes.user_session_path(@conn, :new), method: :get %><% end %></div>
defmodule SomethingErlangWeb.Telemetry douse Supervisorimport Telemetry.Metricsdef start_link(arg) doSupervisor.start_link(__MODULE__, arg, name: __MODULE__)end@impl truedef init(_arg) dochildren = [# Telemetry poller will execute the given period measurements# every 10_000ms. Learn more here: https://hexdocs.pm/telemetry_metrics{:telemetry_poller, measurements: periodic_measurements(), period: 10_000}# Add reporters as children of your supervision tree.# {Telemetry.Metrics.ConsoleReporter, metrics: metrics()}]Supervisor.init(children, strategy: :one_for_one)enddef metrics do[# Phoenix Metricssummary("phoenix.endpoint.stop.duration",unit: {:native, :millisecond}),summary("phoenix.router_dispatch.stop.duration",tags: [:route],unit: {:native, :millisecond}),# Database Metricssummary("something_erlang.repo.query.total_time",unit: {:native, :millisecond},description: "The sum of the other measurements"),summary("something_erlang.repo.query.decode_time",unit: {:native, :millisecond},description: "The time spent decoding the data received from the database"),summary("something_erlang.repo.query.query_time",unit: {:native, :millisecond},description: "The time spent executing the query"),summary("something_erlang.repo.query.queue_time",unit: {:native, :millisecond},description: "The time spent waiting for a database connection"),summary("something_erlang.repo.query.idle_time",unit: {:native, :millisecond},description:"The time the connection spent waiting before being checked out for the query"),# VM Metricssummary("vm.memory.total", unit: {:byte, :kilobyte}),summary("vm.total_run_queue_lengths.total"),summary("vm.total_run_queue_lengths.cpu"),summary("vm.total_run_queue_lengths.io")]enddefp periodic_measurements do[# A module, function and arguments to be invoked periodically.# This function must call :telemetry.execute/3 and a metric must be added above.# {SomethingErlangWeb, :count_users, []}]endend
defmodule SomethingErlangWeb.Router douse SomethingErlangWeb, :routerimport SomethingErlangWeb.UserAuthpipeline :browser doplug :accepts, ["html"]plug :fetch_sessionplug :fetch_live_flashplug :put_root_layout, {SomethingErlangWeb.LayoutView, :root}plug :protect_from_forgeryplug :put_secure_browser_headersplug :fetch_current_userendpipeline :api doplug :accepts, ["json"]endscope "/", SomethingErlangWeb dopipe_through :browserget "/", PageController, :indexpost "/", PageController, :to_forum_pathendscope "/thread", SomethingErlangWeb dopipe_through :browserlive "/:id", ThreadLive.Show, :showendscope "/bookmarks", SomethingErlangWeb dopipe_through :browserlive "/", BookmarksLive.Show, :showendscope "/admin", SomethingErlangWeb dopipe_through [:browser, :require_authenticated_user]live "/thread", ThreadLive.Index, :indexlive "/thread/new", ThreadLive.Index, :newlive "/thread/:id/edit", ThreadLive.Index, :editlive "/thread/:id/show/edit", ThreadLive.Show, :editend# Other scopes may use custom stacks.# scope "/api", SomethingErlangWeb do# pipe_through :api# end# Enables LiveDashboard only for development## If you want to use the LiveDashboard in production, you should put# it behind authentication and allow only admins to access it.# If your application does not have an admins-only section yet,# you can use Plug.BasicAuth to set up some basic authentication# as long as you are also using SSL (which you should anyway).if Mix.env() in [:dev, :test] doimport Phoenix.LiveDashboard.Routerscope "/" dopipe_through :browserlive_dashboard "/dashboard", metrics: SomethingErlangWeb.Telemetryendend# Enables the Swoosh mailbox preview in development.## Note that preview only shows emails that were sent by the same# node running the Phoenix server.if Mix.env() == :dev doscope "/dev" dopipe_through :browserforward "/mailbox", Plug.Swoosh.MailboxPreviewendend## Authentication routesscope "/", SomethingErlangWeb dopipe_through [:browser, :redirect_if_user_is_authenticated]get "/users/register", UserRegistrationController, :newpost "/users/register", UserRegistrationController, :createget "/users/log_in", UserSessionController, :newpost "/users/log_in", UserSessionController, :createget "/users/reset_password", UserResetPasswordController, :newpost "/users/reset_password", UserResetPasswordController, :createget "/users/reset_password/:token", UserResetPasswordController, :editput "/users/reset_password/:token", UserResetPasswordController, :updateendscope "/", SomethingErlangWeb dopipe_through [:browser, :require_authenticated_user]get "/users/settings", UserSettingsController, :editput "/users/settings", UserSettingsController, :updateget "/users/settings/confirm_email/:token", UserSettingsController, :confirm_emailendscope "/", SomethingErlangWeb dopipe_through [:browser]delete "/users/log_out", UserSessionController, :deleteget "/users/confirm", UserConfirmationController, :newpost "/users/confirm", UserConfirmationController, :createget "/users/confirm/:token", UserConfirmationController, :editpost "/users/confirm/:token", UserConfirmationController, :updateendend
defmodule SomethingErlangWeb.UserLiveAuth doimport Phoenix.LiveViewalias SomethingErlang.Accountsdef on_mount(:default, _params, %{"user_token" => user_token} = _session, socket) douser = Accounts.get_user_by_session_token(user_token)socket = assign_new(socket, :current_user, fn -> user end)if socket.assigns.current_user.confirmed_at do{:cont, socket}else{:halt, redirect(socket, to: "/login")}endendend
<%= if @live_action in [:edit] do %><.modal return_to={Routes.thread_show_path(@socket, :show, @thread)}><.live_componentmodule={SomethingErlangWeb.ThreadLive.FormComponent}id={@thread.id}title={@page_title}action={@live_action}thread={@thread}return_to={Routes.thread_show_path(@socket, :show, @thread)}/></.modal><% end %><h2><%= raw @thread.title %></h2><div class="thread my-8"><.pagination socket={@socket} thread={@thread} /><%= for post <- @thread.posts do %><.post author={post.userinfo} article={post.postbody} date={post.postdate} /><% end %><.pagination socket={@socket} thread={@thread} /></div>
defmodule SomethingErlangWeb.ThreadLive.Show douse SomethingErlangWeb, :live_viewon_mount SomethingErlangWeb.UserLiveAuthalias SomethingErlang.Groverrequire Logger@impl truedef mount(_params, _session, socket) doGrover.mount(socket.assigns.current_user){:ok, socket}end@impl truedef handle_params(%{"id" => id, "page" => page}, _, socket) dothread = Grover.get_thread!(id, page |> String.to_integer()){:noreply,socket|> assign(:page_title, thread.title)|> assign(:thread, thread)}end@impl truedef handle_params(%{"id" => id}, _, socket) do{:noreply,push_redirect(socket,to: Routes.thread_show_path(socket, :show, id, page: 1))}enddef post(assigns) do~H"""<div class="post"><.user info={@author} /><article class="postbody"><%= raw @article %></article><.toolbar date={@date} /></div>"""enddef user(assigns) do~H"""<aside class="userinfo bg-base-100"><h3 class="mb-4"><%= @info.name %></h3><div class="title hidden sm:flex flex-col text-sm pr-4"><%= raw @info.title %></div></aside>"""enddef toolbar(assigns) do~H"""<div class="sm:col-span-2 text-sm p-2 px-4"><%= @date |> Calendar.strftime("%A, %b %d %Y @ %H:%M") %></div>"""enddef pagination(assigns) do%{page: page_number, page_count: page_count} = assigns.threadfirst_page_disabled_button = if page_number == 1, do: " btn-disabled", else: ""last_page_disabled_button = if page_number == page_count, do: " btn-disabled", else: ""active_page_button = " btn-active"prev_button_target = if page_number > 1, do: page_number - 1, else: 1next_button_target = if page_number < page_count, do: page_number + 1, else: page_countbuttons = [%{label: "«", page: 1, special: "" <> first_page_disabled_button},%{label: "‹", page: prev_button_target, special: "" <> first_page_disabled_button},%{label: "#{page_number}", page: page_number, special: active_page_button},%{label: "›", page: next_button_target, special: "" <> last_page_disabled_button},%{label: "»", page: page_count, special: "" <> last_page_disabled_button}]~H"""<div class="navbar my-4 bg-base-200"><div class="flex-1"></div><div class="pagination flex-none btn-group grid grid-cols-5"><%= for btn <- buttons do %><%= live_redirect class: "btn btn-sm btn-ghost" <> btn.special,to: Routes.thread_show_path(@socket, :show, @thread.id, page: btn.page) do %><%= case btn.label do %><% "«" -> %><Icons.chevron_left_double /><%= btn.page %><% "‹" -> %><Icons.chevron_left /><%= btn.page %><% "›" -> %><%= btn.page %><Icons.chevron_right /><% "»" -> %><%= btn.page %><Icons.chevron_right_double /><% _ -> %><%= btn.page %><% end %><% end %><% end %></div></div>"""endend
<h1>Listing Threads</h1><%= if @live_action in [:new, :edit] do %><.modal return_to={Routes.thread_index_path(@socket, :index)}><.live_componentmodule={SomethingErlangWeb.ThreadLive.FormComponent}id={@thread.id || :new}title={@page_title}action={@live_action}thread={@thread}return_to={Routes.thread_index_path(@socket, :index)}/></.modal><% end %><table><thead><tr><th>Title</th><th>Thread</th><th></th></tr></thead><tbody id="threads"><%= for thread <- @threads do %><tr id={"thread-#{thread.id}"}><td><%= thread.title %></td><td><%= thread.thread_id %></td><td><span><%= live_redirect "Show", to: Routes.thread_show_path(@socket, :show, thread) %></span><span><%= live_patch "Edit", to: Routes.thread_index_path(@socket, :edit, thread) %></span><span><%= link "Delete", to: "#", phx_click: "delete", phx_value_id: thread.id, data: [confirm: "Are you sure?"] %></span></td></tr><% end %></tbody></table><span><%= live_patch "New Thread", to: Routes.thread_index_path(@socket, :new) %></span>
defmodule SomethingErlangWeb.ThreadLive.Index douse SomethingErlangWeb, :live_viewalias SomethingErlang.Forumsalias SomethingErlang.Forums.Thread@impl truedef mount(_params, _session, socket) do{:ok, assign(socket, :threads, list_threads())}end@impl truedef handle_params(params, _url, socket) do{:noreply, apply_action(socket, socket.assigns.live_action, params)}enddefp apply_action(socket, :edit, %{"id" => id}) dosocket|> assign(:page_title, "Edit Thread")|> assign(:thread, Forums.get_thread!(id))enddefp apply_action(socket, :new, _params) dosocket|> assign(:page_title, "New Thread")|> assign(:thread, %Thread{})enddefp apply_action(socket, :index, _params) dosocket|> assign(:page_title, "Listing Threads")|> assign(:thread, nil)end@impl truedef handle_event("delete", %{"id" => id}, socket) dothread = Forums.get_thread!(id){:ok, _} = Forums.delete_thread(thread){:noreply, assign(socket, :threads, list_threads())}enddefp list_threads doForums.list_threads()endend
<div><h2><%= @title %></h2><.formlet={f}for={@changeset}id="thread-form"phx-target={@myself}phx-change="validate"phx-submit="save"><%= label f, :title %><%= text_input f, :title %><%= error_tag f, :title %><%= label f, :thread_id %><%= number_input f, :thread_id %><%= error_tag f, :thread_id %><div><%= submit "Save", phx_disable_with: "Saving..." %></div></.form></div>
defmodule SomethingErlangWeb.ThreadLive.FormComponent douse SomethingErlangWeb, :live_componentalias SomethingErlang.Forums@impl truedef update(%{thread: thread} = assigns, socket) dochangeset = Forums.change_thread(thread){:ok,socket|> assign(assigns)|> assign(:changeset, changeset)}end@impl truedef handle_event("validate", %{"thread" => thread_params}, socket) dochangeset =socket.assigns.thread|> Forums.change_thread(thread_params)|> Map.put(:action, :validate){:noreply, assign(socket, :changeset, changeset)}enddef handle_event("save", %{"thread" => thread_params}, socket) dosave_thread(socket, socket.assigns.action, thread_params)enddefp save_thread(socket, :edit, thread_params) docase Forums.update_thread(socket.assigns.thread, thread_params) do{:ok, _thread} ->{:noreply,socket|> put_flash(:info, "Thread updated successfully")|> push_redirect(to: socket.assigns.return_to)}{:error, %Ecto.Changeset{} = changeset} ->{:noreply, assign(socket, :changeset, changeset)}endenddefp save_thread(socket, :new, thread_params) docase Forums.create_thread(thread_params) do{:ok, _thread} ->{:noreply,socket|> put_flash(:info, "Thread created successfully")|> push_redirect(to: socket.assigns.return_to)}{:error, %Ecto.Changeset{} = changeset} ->{:noreply, assign(socket, changeset: changeset)}endendend
defmodule SomethingErlangWeb.LiveHelpers doimport Phoenix.LiveViewimport Phoenix.LiveView.Helpersalias Phoenix.LiveView.JS@doc """Renders a live component inside a modal.The rendered modal receives a `:return_to` option to properly updatethe URL when the modal is closed.## Examples<.modal return_to={Routes.thread_index_path(@socket, :index)}><.live_componentmodule={SomethingErlangWeb.ThreadLive.FormComponent}id={@thread.id || :new}title={@page_title}action={@live_action}return_to={Routes.thread_index_path(@socket, :index)}thread: @thread/></.modal>"""def modal(assigns) doassigns = assign_new(assigns, :return_to, fn -> nil end)~H"""<div id="modal" class="phx-modal fade-in" phx-remove={hide_modal()}><divid="modal-content"class="phx-modal-content fade-in-scale"phx-click-away={JS.dispatch("click", to: "#close")}phx-window-keydown={JS.dispatch("click", to: "#close")}phx-key="escape"><%= if @return_to do %><%= live_patch "✖",to: @return_to,id: "close",class: "phx-modal-close",phx_click: hide_modal()%><% else %><a id="close" href="#" class="phx-modal-close" phx-click={hide_modal()}>✖</a><% end %><%= render_slot(@inner_block) %></div></div>"""enddefp hide_modal(js \\ %JS{}) dojs|> JS.hide(to: "#modal", transition: "fade-out")|> JS.hide(to: "#modal-content", transition: "fade-out-scale")endend
<table class="table w-full"><thead><tr><th></th><th>Title</th></tr></thead><tbody><%= for thread <- @bookmarks do %><tr><th><%= raw thread.icon %></th><td><%= raw thread.title %></td></tr><% end %></tbody></table>
defmodule SomethingErlangWeb.BookmarksLive.Show douse SomethingErlangWeb, :live_viewon_mount SomethingErlangWeb.UserLiveAuthalias SomethingErlang.Groverrequire Logger@impl truedef mount(_params, _session, socket) doGrover.mount(socket.assigns.current_user){:ok, socket}end@impl truedef handle_params(%{"page" => page}, _, socket) dobookmarks = Grover.get_bookmarks!(page |> String.to_integer()){:noreply,socket|> assign(:page_title, "bookmarks")|> assign(:bookmarks, bookmarks)}end@impl truedef handle_params(_, _, socket) do{:noreply,push_redirect(socket,to: Routes.bookmarks_show_path(socket, :show, page: 1))}endend
defmodule SomethingErlangWeb.Icons doimport Phoenix.LiveView.Helpers@priv_dir Path.join(:code.priv_dir(:something_erlang), "icons")@repo_url "https://github.com/CoreyGinnivan/system-uicons.git"System.cmd("rm", ["-rf", Path.join(@priv_dir, "system-uicons")])System.cmd("git", ["clone", "--depth=1", @repo_url, Path.join(@priv_dir, "system-uicons")])source_data = File.read!(Path.join(@priv_dir, "system-uicons/src/js/data.js"))<<"var sourceData = "::utf8, rest::binary>> = source_data# remove trailing semicolonsslice = String.slice(rest, 0..-3//1)# quote object keysquote_keys = Regex.replace(~r/([\w_]+):/, sslice, "\"\\1\":")# remove trailing commasrm_trailing_commas = Regex.replace(~r/,\s+(}|])/, quote_keys, "\\1")icon_data = Jason.decode!(rm_trailing_commas)icon_map =Enum.map(icon_data, fn %{"icon_path" => path} = icon ->svg = File.read!(Path.join(@priv_dir, "system-uicons/src/images/icons/#{path}.svg"))Map.put_new(icon, "icon_svg", svg)|> Map.new(fn {k, v} -> {String.to_atom(k), v} end)end)for %{icon_path: path, icon_svg: svg} <- icon_map dodef unquote(String.to_atom(path))(assigns) dosvg = unquote(svg)~H"""<i class={"icon"}><%= Phoenix.HTML.raw svg %></i>"""endendend
defmodule SomethingErlangWeb.Gettext do@moduledoc """A module providing Internationalization with a gettext-based API.By using [Gettext](https://hexdocs.pm/gettext),your module gains a set of macros for translations, for example:import SomethingErlangWeb.Gettext# Simple translationgettext("Here is the string to translate")# Plural translationngettext("Here is the string to translate","Here are the strings to translate",3)# Domain-based translationdgettext("errors", "Here is the error message to translate")See the [Gettext Docs](https://hexdocs.pm/gettext) for detailed usage."""use Gettext, otp_app: :something_erlangend
defmodule SomethingErlangWeb.Endpoint douse Phoenix.Endpoint, otp_app: :something_erlang# The session will be stored in the cookie and signed,# this means its contents can be read but not tampered with.# Set :encryption_salt if you would also like to encrypt it.@session_options [store: :cookie,key: "_something_erlang_key",signing_salt: "IS9pH2I8"]socket "/live", Phoenix.LiveView.Socket, websocket: [connect_info: [session: @session_options]]# Serve at "/" the static files from "priv/static" directory.## You should set gzip to true if you are running phx.digest# when deploying your static files in production.plug Plug.Static,at: "/",from: :something_erlang,gzip: false,only: ~w(assets fonts images favicon.ico robots.txt)# Code reloading can be explicitly enabled under the# :code_reloader configuration of your endpoint.if code_reloading? dosocket "/phoenix/live_reload/socket", Phoenix.LiveReloader.Socketplug Phoenix.LiveReloaderplug Phoenix.CodeReloaderplug Phoenix.Ecto.CheckRepoStatus, otp_app: :something_erlangendplug Phoenix.LiveDashboard.RequestLogger,param_key: "request_logger",cookie_key: "request_logger"plug Plug.RequestIdplug Plug.Telemetry, event_prefix: [:phoenix, :endpoint]plug Plug.Parsers,parsers: [:urlencoded, :multipart, :json],pass: ["*/*"],json_decoder: Phoenix.json_library()plug Plug.MethodOverrideplug Plug.Headplug Plug.Session, @session_optionsplug SomethingErlangWeb.Routerend
defmodule SomethingErlangWeb.UserSettingsController douse SomethingErlangWeb, :controlleralias SomethingErlang.Accountsalias SomethingErlangWeb.UserAuthplug :assign_changesetsdef edit(conn, _params) dorender(conn, "edit.html")enddef update(conn, %{"action" => "update_sadata"} = params) do%{"user" => user_params} = paramsuser = conn.assigns.current_usercase Accounts.update_sadata(user, user_params) do{:ok, _user} ->conn|> put_flash(:info, "Settings updated successfully.")|> redirect(to: Routes.user_settings_path(conn, :edit)){:error, changeset} ->render(conn, "edit.html", sadata_changeset: changeset)endenddef update(conn, %{"action" => "update_email"} = params) do%{"current_password" => password, "user" => user_params} = paramsuser = conn.assigns.current_usercase Accounts.apply_user_email(user, password, user_params) do{:ok, applied_user} ->Accounts.deliver_update_email_instructions(applied_user,user.email,&Routes.user_settings_url(conn, :confirm_email, &1))conn|> put_flash(:info,"A link to confirm your email change has been sent to the new address.")|> redirect(to: Routes.user_settings_path(conn, :edit)){:error, changeset} ->render(conn, "edit.html", email_changeset: changeset)endenddef update(conn, %{"action" => "update_password"} = params) do%{"current_password" => password, "user" => user_params} = paramsuser = conn.assigns.current_usercase Accounts.update_user_password(user, password, user_params) do{:ok, user} ->conn|> put_flash(:info, "Password updated successfully.")|> put_session(:user_return_to, Routes.user_settings_path(conn, :edit))|> UserAuth.log_in_user(user){:error, changeset} ->render(conn, "edit.html", password_changeset: changeset)endenddef confirm_email(conn, %{"token" => token}) docase Accounts.update_user_email(conn.assigns.current_user, token) do:ok ->conn|> put_flash(:info, "Email changed successfully.")|> redirect(to: Routes.user_settings_path(conn, :edit)):error ->conn|> put_flash(:error, "Email change link is invalid or it has expired.")|> redirect(to: Routes.user_settings_path(conn, :edit))endenddefp assign_changesets(conn, _opts) douser = conn.assigns.current_userconn|> assign(:sadata_changeset, Accounts.change_user_sadata(user))|> assign(:email_changeset, Accounts.change_user_email(user))|> assign(:password_changeset, Accounts.change_user_password(user))endend
defmodule SomethingErlangWeb.UserSessionController douse SomethingErlangWeb, :controlleralias SomethingErlang.Accountsalias SomethingErlangWeb.UserAuthdef new(conn, _params) dorender(conn, "new.html", error_message: nil)enddef create(conn, %{"user" => user_params}) do%{"email" => email, "password" => password} = user_paramsif user = Accounts.get_user_by_email_and_password(email, password) doUserAuth.log_in_user(conn, user, user_params)else# In order to prevent user enumeration attacks, don't disclose whether the email is registered.render(conn, "new.html", error_message: "Invalid email or password")endenddef delete(conn, _params) doconn|> put_flash(:info, "Logged out successfully.")|> UserAuth.log_out_user()endend
defmodule SomethingErlangWeb.UserResetPasswordController douse SomethingErlangWeb, :controlleralias SomethingErlang.Accountsplug :get_user_by_reset_password_token when action in [:edit, :update]def new(conn, _params) dorender(conn, "new.html")enddef create(conn, %{"user" => %{"email" => email}}) doif user = Accounts.get_user_by_email(email) doAccounts.deliver_user_reset_password_instructions(user,&Routes.user_reset_password_url(conn, :edit, &1))endconn|> put_flash(:info,"If your email is in our system, you will receive instructions to reset your password shortly.")|> redirect(to: "/")enddef edit(conn, _params) dorender(conn, "edit.html", changeset: Accounts.change_user_password(conn.assigns.user))end# Do not log in the user after reset password to avoid a# leaked token giving the user access to the account.def update(conn, %{"user" => user_params}) docase Accounts.reset_user_password(conn.assigns.user, user_params) do{:ok, _} ->conn|> put_flash(:info, "Password reset successfully.")|> redirect(to: Routes.user_session_path(conn, :new)){:error, changeset} ->render(conn, "edit.html", changeset: changeset)endenddefp get_user_by_reset_password_token(conn, _opts) do%{"token" => token} = conn.paramsif user = Accounts.get_user_by_reset_password_token(token) doconn |> assign(:user, user) |> assign(:token, token)elseconn|> put_flash(:error, "Reset password link is invalid or it has expired.")|> redirect(to: "/")|> halt()endendend
defmodule SomethingErlangWeb.UserRegistrationController douse SomethingErlangWeb, :controlleralias SomethingErlang.Accountsalias SomethingErlang.Accounts.Useralias SomethingErlangWeb.UserAuthdef new(conn, _params) dochangeset = Accounts.change_user_registration(%User{})render(conn, "new.html", changeset: changeset)enddef create(conn, %{"user" => user_params}) docase Accounts.register_user(user_params) do{:ok, user} ->{:ok, _} =Accounts.deliver_user_confirmation_instructions(user,&Routes.user_confirmation_url(conn, :edit, &1))conn|> put_flash(:info, "User created successfully.")|> UserAuth.log_in_user(user){:error, %Ecto.Changeset{} = changeset} ->render(conn, "new.html", changeset: changeset)endendend
defmodule SomethingErlangWeb.UserConfirmationController douse SomethingErlangWeb, :controlleralias SomethingErlang.Accountsdef new(conn, _params) dorender(conn, "new.html")enddef create(conn, %{"user" => %{"email" => email}}) doif user = Accounts.get_user_by_email(email) doAccounts.deliver_user_confirmation_instructions(user,&Routes.user_confirmation_url(conn, :edit, &1))endconn|> put_flash(:info,"If your email is in our system and it has not been confirmed yet, " <>"you will receive an email with instructions shortly.")|> redirect(to: "/")enddef edit(conn, %{"token" => token}) dorender(conn, "edit.html", token: token)end# Do not log in the user after confirmation to avoid a# leaked token giving the user access to the account.def update(conn, %{"token" => token}) docase Accounts.confirm_user(token) do{:ok, _} ->conn|> put_flash(:info, "User confirmed successfully.")|> redirect(to: "/"):error -># If there is a current user and the account was already confirmed,# then odds are that the confirmation link was already visited, either# by some automation or by the user themselves, so we redirect without# a warning message.case conn.assigns do%{current_user: %{confirmed_at: confirmed_at}} when not is_nil(confirmed_at) ->redirect(conn, to: "/")%{} ->conn|> put_flash(:error, "User confirmation link is invalid or it has expired.")|> redirect(to: "/")endendendend
defmodule SomethingErlangWeb.UserAuth doimport Plug.Connimport Phoenix.Controlleralias SomethingErlang.Accountsalias SomethingErlangWeb.Router.Helpers, as: Routes# Make the remember me cookie valid for 60 days.# If you want bump or reduce this value, also change# the token expiry itself in UserToken.@max_age 60 * 60 * 24 * 60@remember_me_cookie "_something_erlang_web_user_remember_me"@remember_me_options [sign: true, max_age: @max_age, same_site: "Lax"]@doc """Logs the user in.It renews the session ID and clears the whole sessionto avoid fixation attacks. See the renew_sessionfunction to customize this behaviour.It also sets a `:live_socket_id` key in the session,so LiveView sessions are identified and automaticallydisconnected on log out. The line can be safely removedif you are not using LiveView."""def log_in_user(conn, user, params \\ %{}) dotoken = Accounts.generate_user_session_token(user)user_return_to = get_session(conn, :user_return_to)conn|> renew_session()|> put_session(:user_token, token)|> put_session(:live_socket_id, "users_sessions:#{Base.url_encode64(token)}")|> maybe_write_remember_me_cookie(token, params)|> redirect(to: user_return_to || signed_in_path(conn))enddefp maybe_write_remember_me_cookie(conn, token, %{"remember_me" => "true"}) doput_resp_cookie(conn, @remember_me_cookie, token, @remember_me_options)enddefp maybe_write_remember_me_cookie(conn, _token, _params) doconnend# This function renews the session ID and erases the whole# session to avoid fixation attacks. If there is any data# in the session you may want to preserve after log in/log out,# you must explicitly fetch the session data before clearing# and then immediately set it after clearing, for example:## defp renew_session(conn) do# preferred_locale = get_session(conn, :preferred_locale)## conn# |> configure_session(renew: true)# |> clear_session()# |> put_session(:preferred_locale, preferred_locale)# end#defp renew_session(conn) doconn|> configure_session(renew: true)|> clear_session()end@doc """Logs the user out.It clears all session data for safety. See renew_session."""def log_out_user(conn) douser_token = get_session(conn, :user_token)user_token && Accounts.delete_session_token(user_token)if live_socket_id = get_session(conn, :live_socket_id) doSomethingErlangWeb.Endpoint.broadcast(live_socket_id, "disconnect", %{})endconn|> renew_session()|> delete_resp_cookie(@remember_me_cookie)|> redirect(to: "/")end@doc """Authenticates the user by looking into the sessionand remember me token."""def fetch_current_user(conn, _opts) do{user_token, conn} = ensure_user_token(conn)user = user_token && Accounts.get_user_by_session_token(user_token)assign(conn, :current_user, user)enddefp ensure_user_token(conn) doif user_token = get_session(conn, :user_token) do{user_token, conn}elseconn = fetch_cookies(conn, signed: [@remember_me_cookie])if user_token = conn.cookies[@remember_me_cookie] do{user_token, put_session(conn, :user_token, user_token)}else{nil, conn}endendend@doc """Used for routes that require the user to not be authenticated."""def redirect_if_user_is_authenticated(conn, _opts) doif conn.assigns[:current_user] doconn|> redirect(to: signed_in_path(conn))|> halt()elseconnendend@doc """Used for routes that require the user to be authenticated.If you want to enforce the user email is confirmed beforethey use the application at all, here would be a good place."""def require_authenticated_user(conn, _opts) doif conn.assigns[:current_user] doconnelseconn|> put_flash(:error, "You must log in to access this page.")|> maybe_store_return_to()|> redirect(to: Routes.user_session_path(conn, :new))|> halt()endenddefp maybe_store_return_to(%{method: "GET"} = conn) doput_session(conn, :user_return_to, current_path(conn))enddefp maybe_store_return_to(conn), do: conndefp signed_in_path(_conn), do: "/"end
defmodule SomethingErlangWeb.PageController douse SomethingErlangWeb, :controllerdef index(conn, _params) dorender(conn, "index.html")enddef to_forum_path(conn, %{"to" => redir_params} = _params) do%{"forum_path" => path} = redir_paramswith [_, thread] <- Regex.run(~r{threadid=(\d+)}, path),[_, page] <- Regex.run(~r{pagenumber=(\d+)}, path) doredirect(conn,to: Routes.thread_show_path(conn, :show, thread, page: page))endput_flash(conn, :error, "Could not resolve URL")render(conn, "index.html")endend
defmodule SomethingErlang do@moduledoc """SomethingErlang keeps the contexts that define your domainand business logic.Contexts are also responsible for managing your data, regardlessif it comes from the database, an external API or others."""end
defmodule SomethingErlang.Repo douse Ecto.Repo,otp_app: :something_erlang,adapter: Ecto.Adapters.Postgresend
defmodule SomethingErlang.Mailer douse Swoosh.Mailer, otp_app: :something_erlangend
defmodule SomethingErlang.Grover douse GenServeralias SomethingErlang.AwfulApirequire Loggerdef mount(user) do{:ok, _pid} =DynamicSupervisor.start_child(SomethingErlang.Supervisor.Grovers,{__MODULE__, [self(), user]})enddef get_thread!(thread_id, page_number) doGenServer.call(via(self()), {:show_thread, thread_id, page_number})enddef get_bookmarks!(page_number) doGenServer.call(via(self()), {:show_bookmarks, page_number})enddef start_link([lv_pid, user]) doGenServer.start_link(__MODULE__,[lv_pid, user],name: via(lv_pid))end@impl truedef init([pid, user]) do%{bbuserid: userid, bbpassword: userhash} = userinitial_state = %{lv_pid: pid,user: %{id: userid, hash: userhash}}Logger.debug("init #{userid} #{inspect(pid)}")Process.monitor(pid){:ok, initial_state}end@impl truedef handle_call({:show_thread, thread_id, page_number}, _from, state) dothread = AwfulApi.parsed_thread(thread_id, page_number, state.user){:reply, thread, state}end@impl truedef handle_call({:show_bookmarks, _page_number}, _from, state) dobookmarks = AwfulApi.bookmarks(state.user){:reply, bookmarks, state}end@impl truedef handle_info({:DOWN, _ref, :process, _object, reason}, state) doLogger.debug("received :DOWN from: #{inspect(state.lv_pid)} reason: #{inspect(reason)}")case reason do{:shutdown, _} -> {:stop, :normal, state}:killed -> {:stop, :normal, state}_ -> {:noreply, state}endenddefp via(lv_pid),do: {:via, Registry, {SomethingErlang.Registry.Grovers, lv_pid}}end
defmodule SomethingErlang.Forums do@moduledoc """The Forums context."""import Ecto.Query, warn: falsealias SomethingErlang.Repoalias SomethingErlang.Forums.Thread@doc """Returns the list of threads.## Examplesiex> list_threads()[%Thread{}, ...]"""def list_threads doRepo.all(Thread)end@doc """Gets a single thread.Raises `Ecto.NoResultsError` if the Thread does not exist.## Examplesiex> get_thread!(123)%Thread{}iex> get_thread!(456)** (Ecto.NoResultsError)"""def get_thread!(id),# Repo.get!(Thread, id)do: %Thread{id: id, thread_id: id, title: "foo"}@doc """Creates a thread.## Examplesiex> create_thread(%{field: value}){:ok, %Thread{}}iex> create_thread(%{field: bad_value}){:error, %Ecto.Changeset{}}"""def create_thread(attrs \\ %{}) do%Thread{}|> Thread.changeset(attrs)|> Repo.insert()end@doc """Updates a thread.## Examplesiex> update_thread(thread, %{field: new_value}){:ok, %Thread{}}iex> update_thread(thread, %{field: bad_value}){:error, %Ecto.Changeset{}}"""def update_thread(%Thread{} = thread, attrs) dothread|> Thread.changeset(attrs)|> Repo.update()end@doc """Deletes a thread.## Examplesiex> delete_thread(thread){:ok, %Thread{}}iex> delete_thread(thread){:error, %Ecto.Changeset{}}"""def delete_thread(%Thread{} = thread) doRepo.delete(thread)end@doc """Returns an `%Ecto.Changeset{}` for tracking thread changes.## Examplesiex> change_thread(thread)%Ecto.Changeset{data: %Thread{}}"""def change_thread(%Thread{} = thread, attrs \\ %{}) doThread.changeset(thread, attrs)endend
defmodule SomethingErlang.Forums.Thread douse Ecto.Schemaimport Ecto.Changesetschema "threads" dofield :thread_id, :integerfield :title, :stringtimestamps()end@doc falsedef changeset(thread, attrs) dothread|> cast(attrs, [:title, :thread_id])|> validate_required([:title, :thread_id])endend
defmodule SomethingErlang.AwfulApi.Thread dorequire Loggeralias SomethingErlang.AwfulApi.Clientdef compile(id, page, user) dodoc = Client.thread_doc(id, page, user)html = Floki.parse_document!(doc)thread = Floki.find(html, "#thread") |> Floki.filter_out("table.post.ignored")title = Floki.find(html, "title") |> Floki.text()title = title |> String.replace(" - The Something Awful Forums", "")page_count =case Floki.find(html, "#content .pages.top option:last-of-type") |> Floki.text() do"" -> 1s -> String.to_integer(s)endposts =for post <- Floki.find(thread, "table.post") do%{userinfo: post |> userinfo(),postdate: post |> postdate(),postbody: post |> postbody()}end%{id: id, title: title, page: page, page_count: page_count, posts: posts}enddefp userinfo(post) douser = Floki.find(post, "dl.userinfo")name = user |> Floki.find("dt") |> Floki.text()regdate = user |> Floki.find("dd.registered") |> Floki.text()title = user |> Floki.find("dd.title") |> List.first() |> Floki.children() |> Floki.raw_html()%{name: name,regdate: regdate,title: title}enddefp postdate(post) dodate = Floki.find(post, "td.postdate") |> Floki.find("td.postdate") |> Floki.text()[month_text, day, year, hours, minutes] =date|> String.split(~r{[\s,:]}, trim: true)|> Enum.drop(1)month =1 +Enum.find_index(["Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"],fn m -> m == month_text end)NaiveDateTime.new!(year |> String.to_integer(),month,day |> String.to_integer(),hours |> String.to_integer(),minutes |> String.to_integer(),0)enddefp postbody(post) dobody =Floki.find(post, "td.postbody")|> List.first()|> Floki.filter_out(:comment)Floki.traverse_and_update(body, fn{"img", attrs, []} -> transform(:img, attrs){"a", attrs, children} -> transform(:a, attrs, children)other -> otherend)|> Floki.children()|> Floki.raw_html()enddefp transform(elem, attr, children \\ [])defp transform(:img, attrs, _children) do{"class", class} = List.keyfind(attrs, "class", 0, {"class", ""})if class == "sa-smilie" do{"img", attrs, []}elset_attrs = List.keyreplace(attrs, "class", 0, {"class", "img-responsive"}){"img", [{"loading", "lazy"} | t_attrs], []}endenddefp transform(:a, attrs, children) do{"href", href} = List.keyfind(attrs, "href", 0, {"href", ""})cond do# skip internal linksString.starts_with?(href, "/") ->{"a", [{"href", href}], children}# mp4String.ends_with?(href, ".mp4") ->transform_link(:mp4, href)# gifvString.ends_with?(href, ".gifv") ->transform_link(:gifv, href)# youtubeString.starts_with?(href, "https://www.youtube.com/watch") ->transform_link(:ytlong, href)String.starts_with?(href, "https://youtu.be/") ->transform_link(:ytshort, href)true ->Logger.debug("no transform for #{href}"){"a", [{"href", href}], children}endenddefp transform_link(:mp4, href),do:{"div", [{"class", "responsive-embed"}],[{"video", [{"class", "img-responsive"}, {"controls", ""}],[{"source", [{"src", href}, {"type", "video/mp4"}], []}]}]}defp transform_link(:gifv, href),do:{"div", [{"class", "responsive-embed"}],[{"video", [{"class", "img-responsive"}, {"controls", ""}],[{"source", [{"src", String.replace(href, ".gifv", ".webm")}, {"type", "video/webm"}],[]},{"source", [{"src", String.replace(href, ".gifv", ".mp4")}, {"type", "video/mp4"}],[]}]}]}defp transform_link(:ytlong, href) doString.replace(href, "/watch?v=", "/embed/")|> youtube_iframe()enddefp transform_link(:ytshort, href) doString.replace(href, "youtu.be/", "www.youtube.com/embed/")|> youtube_iframe()enddefp youtube_iframe(src),do:{"div", [{"class", "responsive-embed"}],[{"iframe",[{"class", "youtube-player"},{"loading", "lazy"},{"allow", "fullscreen"},{"src", src}], []}]}end
defmodule SomethingErlang.AwfulApi.Client do@base_url "https://forums.somethingawful.com/"@user_agent "SomethingErlangClient/0.1"def thread_doc(id, page, user) doresp = new_request(user) |> get_thread(id, page):unicode.characters_to_binary(resp.body, :latin1)enddef thread_lastseen_page(id, user) doresp = new_request(user) |> get_thread_newpost(id)%{status: 302, headers: headers} = resp{"location", redir_url} = List.keyfind(headers, "location", 0)[_, page] = Regex.run(~r/pagenumber=(\d+)/, redir_url)page |> String.to_integer()enddef bookmarks_doc(page, user) doresp = new_request(user) |> get_bookmarks(page):unicode.characters_to_binary(resp.body, :latin1)enddefp get_thread(req, id, page \\ 1) dourl = "showthread.php"params = [threadid: id, pagenumber: page]Req.get!(req, url: url, params: params)enddefp get_thread_newpost(req, id) dourl = "showthread.php"params = [threadid: id, goto: "newpost"]Req.get!(req, url: url, params: params, follow_redirects: false)enddefp get_bookmarks(req, page \\ 1) dourl = "bookmarkthreads.php"params = [pagenumber: page]Req.get!(req, url: url, params: params)enddefp new_request(user) doReq.new(base_url: @base_url,user_agent: @user_agent,cache: true,headers: [cookie: [cookies(%{bbuserid: user.id, bbpassword: user.hash})]])# |> Req.Request.append_request_steps(inspect: &IO.inspect/1)enddefp cookies(args) when is_map(args) doEnum.map_join(args, "; ", fn {k, v} -> "#{k}=#{v}" end)endend
defmodule SomethingErlang.AwfulApi.Bookmarks dorequire Loggeralias SomethingErlang.AwfulApi.Clientdef compile(page, user) dodoc = Client.bookmarks_doc(page, user)html = Floki.parse_document!(doc)for thread <- Floki.find(html, "tr.thread") doparse(thread)endenddef parse(thread) do%{title: Floki.find(thread, "td.title") |> inner_html() |> Floki.raw_html(),icon: Floki.find(thread, "td.icon") |> inner_html() |> Floki.raw_html(),author: Floki.find(thread, "td.author") |> inner_html() |> Floki.text(),replies: Floki.find(thread, "td.replies") |> inner_html() |> Floki.text(),views: Floki.find(thread, "td.views") |> inner_html() |> Floki.text(),rating: Floki.find(thread, "td.rating") |> inner_html() |> Floki.raw_html(),lastpost: Floki.find(thread, "td.lastpost") |> inner_html() |> Floki.raw_html()}for {"td", [{"class", class} | _attrs], children} <- Floki.find(thread, "td"),String.starts_with?(class, "star") == false,into: %{} docase class do<<"title", _rest::binary>> ->{:title, children |> Floki.raw_html()}<<"icon", _rest::binary>> ->{:icon, children |> Floki.raw_html()}<<"author", _rest::binary>> ->{:author, children |> Floki.text()}<<"replies", _rest::binary>> ->{:replies, children |> Floki.text() |> String.to_integer()}<<"views", _rest::binary>> ->{:views, children |> Floki.text() |> String.to_integer()}<<"rating", _rest::binary>> ->{:rating, children |> Floki.raw_html()}<<"lastpost", _rest::binary>> ->{:lastpost, children |> Floki.raw_html()}endendenddefp inner_html(node) donode|> List.first()|> Floki.children()endend
defmodule SomethingErlang.AwfulApi dorequire Loggeralias SomethingErlang.AwfulApi.Threadalias SomethingErlang.AwfulApi.Bookmarks@doc """Returns a list of all posts on page of a thread.## Examplesiex> t = AwfulApi.parsed_thread(3945300, 1)iex> length(t.posts)42iex> t.page_count12"""def parsed_thread(id, page, user) doThread.compile(id, page, user)enddef bookmarks(user) doBookmarks.compile(1, user)endend
defmodule SomethingErlang.Application do# See https://hexdocs.pm/elixir/Application.html# for more information on OTP Applications@moduledoc falseuse Application@impl truedef start(_type, _args) dochildren = [{Registry, [name: SomethingErlang.Registry.Grovers, keys: :unique]},{DynamicSupervisor, [name: SomethingErlang.Supervisor.Grovers, strategy: :one_for_one]},# Start the Ecto repositorySomethingErlang.Repo,# Start the Telemetry supervisorSomethingErlangWeb.Telemetry,# Start the PubSub system{Phoenix.PubSub, name: SomethingErlang.PubSub},# Start the Endpoint (http/https)SomethingErlangWeb.Endpoint# Start a worker by calling: SomethingErlang.Worker.start_link(arg)# {SomethingErlang.Worker, arg}]# See https://hexdocs.pm/elixir/Supervisor.html# for other strategies and supported optionsopts = [strategy: :one_for_one, name: SomethingErlang.Supervisor]Supervisor.start_link(children, opts)end# Tell Phoenix to update the endpoint configuration# whenever the application is updated.@impl truedef config_change(changed, _new, removed) doSomethingErlangWeb.Endpoint.config_change(changed, removed):okendend
defmodule SomethingErlang.Accounts do@moduledoc """The Accounts context."""import Ecto.Query, warn: falsealias SomethingErlang.Repoalias SomethingErlang.Accounts.{User, UserToken, UserNotifier}## Database getters@doc """Gets a user by email.## Examplesiex> get_user_by_email("foo@example.com")%User{}iex> get_user_by_email("unknown@example.com")nil"""def get_user_by_email(email) when is_binary(email) doRepo.get_by(User, email: email)end@doc """Gets a user by email and password.## Examplesiex> get_user_by_email_and_password("foo@example.com", "correct_password")%User{}iex> get_user_by_email_and_password("foo@example.com", "invalid_password")nil"""def get_user_by_email_and_password(email, password)when is_binary(email) and is_binary(password) douser = Repo.get_by(User, email: email)if User.valid_password?(user, password), do: userend@doc """Gets a single user.Raises `Ecto.NoResultsError` if the User does not exist.## Examplesiex> get_user!(123)%User{}iex> get_user!(456)** (Ecto.NoResultsError)"""def get_user!(id), do: Repo.get!(User, id)## User registration@doc """Registers a user.## Examplesiex> register_user(%{field: value}){:ok, %User{}}iex> register_user(%{field: bad_value}){:error, %Ecto.Changeset{}}"""def register_user(attrs) do%User{}|> User.registration_changeset(attrs)|> Repo.insert()end@doc """Returns an `%Ecto.Changeset{}` for tracking user changes.## Examplesiex> change_user_registration(user)%Ecto.Changeset{data: %User{}}"""def change_user_registration(%User{} = user, attrs \\ %{}) doUser.registration_changeset(user, attrs, hash_password: false)end## Settingsdef change_user_sadata(%User{} = user, attrs \\ %{}) doUser.sadata_changeset(user, attrs)enddef update_sadata(%User{} = user, attrs \\ %{}) douser|> change_user_sadata(attrs)|> Repo.update()end@doc """Returns an `%Ecto.Changeset{}` for changing the user email.## Examplesiex> change_user_email(user)%Ecto.Changeset{data: %User{}}"""def change_user_email(user, attrs \\ %{}) doUser.email_changeset(user, attrs)end@doc """Emulates that the email will change without actually changingit in the database.## Examplesiex> apply_user_email(user, "valid password", %{email: ...}){:ok, %User{}}iex> apply_user_email(user, "invalid password", %{email: ...}){:error, %Ecto.Changeset{}}"""def apply_user_email(user, password, attrs) douser|> User.email_changeset(attrs)|> User.validate_current_password(password)|> Ecto.Changeset.apply_action(:update)end@doc """Updates the user email using the given token.If the token matches, the user email is updated and the token is deleted.The confirmed_at date is also updated to the current time."""def update_user_email(user, token) docontext = "change:#{user.email}"with {:ok, query} <- UserToken.verify_change_email_token_query(token, context),%UserToken{sent_to: email} <- Repo.one(query),{:ok, _} <- Repo.transaction(user_email_multi(user, email, context)) do:okelse_ -> :errorendenddefp user_email_multi(user, email, context) dochangeset =user|> User.email_changeset(%{email: email})|> User.confirm_changeset()Ecto.Multi.new()|> Ecto.Multi.update(:user, changeset)|> Ecto.Multi.delete_all(:tokens, UserToken.user_and_contexts_query(user, [context]))end@doc """Delivers the update email instructions to the given user.## Examplesiex> deliver_update_email_instructions(user, current_email, &Routes.user_update_email_url(conn, :edit, &1)){:ok, %{to: ..., body: ...}}"""def deliver_update_email_instructions(%User{} = user, current_email, update_email_url_fun)when is_function(update_email_url_fun, 1) do{encoded_token, user_token} = UserToken.build_email_token(user, "change:#{current_email}")Repo.insert!(user_token)UserNotifier.deliver_update_email_instructions(user, update_email_url_fun.(encoded_token))end@doc """Returns an `%Ecto.Changeset{}` for changing the user password.## Examplesiex> change_user_password(user)%Ecto.Changeset{data: %User{}}"""def change_user_password(user, attrs \\ %{}) doUser.password_changeset(user, attrs, hash_password: false)end@doc """Updates the user password.## Examplesiex> update_user_password(user, "valid password", %{password: ...}){:ok, %User{}}iex> update_user_password(user, "invalid password", %{password: ...}){:error, %Ecto.Changeset{}}"""def update_user_password(user, password, attrs) dochangeset =user|> User.password_changeset(attrs)|> User.validate_current_password(password)Ecto.Multi.new()|> Ecto.Multi.update(:user, changeset)|> Ecto.Multi.delete_all(:tokens, UserToken.user_and_contexts_query(user, :all))|> Repo.transaction()|> case do{:ok, %{user: user}} -> {:ok, user}{:error, :user, changeset, _} -> {:error, changeset}endend## Session@doc """Generates a session token."""def generate_user_session_token(user) do{token, user_token} = UserToken.build_session_token(user)Repo.insert!(user_token)tokenend@doc """Gets the user with the given signed token."""def get_user_by_session_token(token) do{:ok, query} = UserToken.verify_session_token_query(token)Repo.one(query)end@doc """Deletes the signed token with the given context."""def delete_session_token(token) doRepo.delete_all(UserToken.token_and_context_query(token, "session")):okend## Confirmation@doc """Delivers the confirmation email instructions to the given user.## Examplesiex> deliver_user_confirmation_instructions(user, &Routes.user_confirmation_url(conn, :edit, &1)){:ok, %{to: ..., body: ...}}iex> deliver_user_confirmation_instructions(confirmed_user, &Routes.user_confirmation_url(conn, :edit, &1)){:error, :already_confirmed}"""def deliver_user_confirmation_instructions(%User{} = user, confirmation_url_fun)when is_function(confirmation_url_fun, 1) doif user.confirmed_at do{:error, :already_confirmed}else{encoded_token, user_token} = UserToken.build_email_token(user, "confirm")Repo.insert!(user_token)UserNotifier.deliver_confirmation_instructions(user, confirmation_url_fun.(encoded_token))endend@doc """Confirms a user by the given token.If the token matches, the user account is marked as confirmedand the token is deleted."""def confirm_user(token) dowith {:ok, query} <- UserToken.verify_email_token_query(token, "confirm"),%User{} = user <- Repo.one(query),{:ok, %{user: user}} <- Repo.transaction(confirm_user_multi(user)) do{:ok, user}else_ -> :errorendenddefp confirm_user_multi(user) doEcto.Multi.new()|> Ecto.Multi.update(:user, User.confirm_changeset(user))|> Ecto.Multi.delete_all(:tokens, UserToken.user_and_contexts_query(user, ["confirm"]))end## Reset password@doc """Delivers the reset password email to the given user.## Examplesiex> deliver_user_reset_password_instructions(user, &Routes.user_reset_password_url(conn, :edit, &1)){:ok, %{to: ..., body: ...}}"""def deliver_user_reset_password_instructions(%User{} = user, reset_password_url_fun)when is_function(reset_password_url_fun, 1) do{encoded_token, user_token} = UserToken.build_email_token(user, "reset_password")Repo.insert!(user_token)UserNotifier.deliver_reset_password_instructions(user, reset_password_url_fun.(encoded_token))end@doc """Gets the user by reset password token.## Examplesiex> get_user_by_reset_password_token("validtoken")%User{}iex> get_user_by_reset_password_token("invalidtoken")nil"""def get_user_by_reset_password_token(token) dowith {:ok, query} <- UserToken.verify_email_token_query(token, "reset_password"),%User{} = user <- Repo.one(query) douserelse_ -> nilendend@doc """Resets the user password.## Examplesiex> reset_user_password(user, %{password: "new long password", password_confirmation: "new long password"}){:ok, %User{}}iex> reset_user_password(user, %{password: "valid", password_confirmation: "not the same"}){:error, %Ecto.Changeset{}}"""def reset_user_password(user, attrs) doEcto.Multi.new()|> Ecto.Multi.update(:user, User.password_changeset(user, attrs))|> Ecto.Multi.delete_all(:tokens, UserToken.user_and_contexts_query(user, :all))|> Repo.transaction()|> case do{:ok, %{user: user}} -> {:ok, user}{:error, :user, changeset, _} -> {:error, changeset}endendend
defmodule SomethingErlang.Accounts.UserToken douse Ecto.Schemaimport Ecto.Queryalias SomethingErlang.Accounts.UserToken@hash_algorithm :sha256@rand_size 32# It is very important to keep the reset password token expiry short,# since someone with access to the email may take over the account.@reset_password_validity_in_days 1@confirm_validity_in_days 7@change_email_validity_in_days 7@session_validity_in_days 60schema "users_tokens" dofield :token, :binaryfield :context, :stringfield :sent_to, :stringbelongs_to :user, SomethingErlang.Accounts.Usertimestamps(updated_at: false)end@doc """Generates a token that will be stored in a signed place,such as session or cookie. As they are signed, thosetokens do not need to be hashed.The reason why we store session tokens in the database, eventhough Phoenix already provides a session cookie, is becausePhoenix' default session cookies are not persisted, they aresimply signed and potentially encrypted. This means they arevalid indefinitely, unless you change the signing/encryptionsalt.Therefore, storing them allows individual usersessions to be expired. The token system can also be extendedto store additional data, such as the device used for logging in.You could then use this information to display all valid sessionsand devices in the UI and allow users to explicitly expire anysession they deem invalid."""def build_session_token(user) dotoken = :crypto.strong_rand_bytes(@rand_size){token, %UserToken{token: token, context: "session", user_id: user.id}}end@doc """Checks if the token is valid and returns its underlying lookup query.The query returns the user found by the token, if any.The token is valid if it matches the value in the database and it hasnot expired (after @session_validity_in_days)."""def verify_session_token_query(token) doquery =from token in token_and_context_query(token, "session"),join: user in assoc(token, :user),where: token.inserted_at > ago(@session_validity_in_days, "day"),select: user{:ok, query}end@doc """Builds a token and its hash to be delivered to the user's email.The non-hashed token is sent to the user email while thehashed part is stored in the database. The original token cannot be reconstructed,which means anyone with read-only access to the database cannot directly usethe token in the application to gain access. Furthermore, if the user changestheir email in the system, the tokens sent to the previous email are no longervalid.Users can easily adapt the existing code to provide other types of delivery methods,for example, by phone numbers."""def build_email_token(user, context) dobuild_hashed_token(user, context, user.email)enddefp build_hashed_token(user, context, sent_to) dotoken = :crypto.strong_rand_bytes(@rand_size)hashed_token = :crypto.hash(@hash_algorithm, token){Base.url_encode64(token, padding: false),%UserToken{token: hashed_token,context: context,sent_to: sent_to,user_id: user.id}}end@doc """Checks if the token is valid and returns its underlying lookup query.The query returns the user found by the token, if any.The given token is valid if it matches its hashed counterpart in thedatabase and the user email has not changed. This function also checksif the token is being used within a certain period, depending on thecontext. The default contexts supported by this function are either"confirm", for account confirmation emails, and "reset_password",for resetting the password. For verifying requests to change the email,see `verify_change_email_token_query/2`."""def verify_email_token_query(token, context) docase Base.url_decode64(token, padding: false) do{:ok, decoded_token} ->hashed_token = :crypto.hash(@hash_algorithm, decoded_token)days = days_for_context(context)query =from token in token_and_context_query(hashed_token, context),join: user in assoc(token, :user),where: token.inserted_at > ago(^days, "day") and token.sent_to == user.email,select: user{:ok, query}:error ->:errorendenddefp days_for_context("confirm"), do: @confirm_validity_in_daysdefp days_for_context("reset_password"), do: @reset_password_validity_in_days@doc """Checks if the token is valid and returns its underlying lookup query.The query returns the user found by the token, if any.This is used to validate requests to change the useremail. It is different from `verify_email_token_query/2` precisely because`verify_email_token_query/2` validates the email has not changed, which isthe starting point by this function.The given token is valid if it matches its hashed counterpart in thedatabase and if it has not expired (after @change_email_validity_in_days).The context must always start with "change:"."""def verify_change_email_token_query(token, "change:" <> _ = context) docase Base.url_decode64(token, padding: false) do{:ok, decoded_token} ->hashed_token = :crypto.hash(@hash_algorithm, decoded_token)query =from token in token_and_context_query(hashed_token, context),where: token.inserted_at > ago(@change_email_validity_in_days, "day"){:ok, query}:error ->:errorendend@doc """Returns the token struct for the given token value and context."""def token_and_context_query(token, context) dofrom UserToken, where: [token: ^token, context: ^context]end@doc """Gets all tokens for the given user for the given contexts."""def user_and_contexts_query(user, :all) dofrom t in UserToken, where: t.user_id == ^user.idenddef user_and_contexts_query(user, [_ | _] = contexts) dofrom t in UserToken, where: t.user_id == ^user.id and t.context in ^contextsendend
defmodule SomethingErlang.Accounts.UserNotifier doimport Swoosh.Emailalias SomethingErlang.Mailer# Delivers the email using the application mailer.defp deliver(recipient, subject, body) doemail =new()|> to(recipient)|> from({"SomethingErlang", "contact@example.com"})|> subject(subject)|> text_body(body)with {:ok, _metadata} <- Mailer.deliver(email) do{:ok, email}endend@doc """Deliver instructions to confirm account."""def deliver_confirmation_instructions(user, url) dodeliver(user.email, "Confirmation instructions", """==============================Hi #{user.email},You can confirm your account by visiting the URL below:#{url}If you didn't create an account with us, please ignore this.==============================""")end@doc """Deliver instructions to reset a user password."""def deliver_reset_password_instructions(user, url) dodeliver(user.email, "Reset password instructions", """==============================Hi #{user.email},You can reset your password by visiting the URL below:#{url}If you didn't request this change, please ignore this.==============================""")end@doc """Deliver instructions to update a user email."""def deliver_update_email_instructions(user, url) dodeliver(user.email, "Update email instructions", """==============================Hi #{user.email},You can change your email by visiting the URL below:#{url}If you didn't request this change, please ignore this.==============================""")endend
defmodule SomethingErlang.Accounts.User douse Ecto.Schemaimport Ecto.Changesetschema "users" dofield :email, :stringfield :password, :string, virtual: true, redact: truefield :hashed_password, :string, redact: truefield :confirmed_at, :naive_datetimefield :bbuserid, :stringfield :bbpassword, :stringtimestamps()end@doc """A user changeset for SA data."""def sadata_changeset(user, attrs, _opts \\ []) douser|> cast(attrs, [:bbuserid, :bbpassword])end@doc """A user changeset for registration.It is important to validate the length of both email and password.Otherwise databases may truncate the email without warnings, whichcould lead to unpredictable or insecure behaviour. Long passwords mayalso be very expensive to hash for certain algorithms.## Options* `:hash_password` - Hashes the password so it can be stored securelyin the database and ensures the password field is cleared to preventleaks in the logs. If password hashing is not needed and clearing thepassword field is not desired (like when using this changeset forvalidations on a LiveView form), this option can be set to `false`.Defaults to `true`."""def registration_changeset(user, attrs, opts \\ []) douser|> cast(attrs, [:email, :password])|> validate_email()|> validate_password(opts)enddefp validate_email(changeset) dochangeset|> validate_required([:email])|> validate_format(:email, ~r/^[^\s]+@[^\s]+$/, message: "must have the @ sign and no spaces")|> validate_length(:email, max: 160)|> unsafe_validate_unique(:email, SomethingErlang.Repo)|> unique_constraint(:email)enddefp validate_password(changeset, opts) dochangeset|> validate_required([:password])|> validate_length(:password, min: 12, max: 72)# |> validate_format(:password, ~r/[a-z]/, message: "at least one lower case character")# |> validate_format(:password, ~r/[A-Z]/, message: "at least one upper case character")# |> validate_format(:password, ~r/[!?@#$%^&*_0-9]/, message: "at least one digit or punctuation character")|> maybe_hash_password(opts)enddefp maybe_hash_password(changeset, opts) dohash_password? = Keyword.get(opts, :hash_password, true)password = get_change(changeset, :password)if hash_password? && password && changeset.valid? dochangeset# If using Bcrypt, then further validate it is at most 72 bytes long|> validate_length(:password, max: 72, count: :bytes)|> put_change(:hashed_password, Bcrypt.hash_pwd_salt(password))|> delete_change(:password)elsechangesetendend@doc """A user changeset for changing the email.It requires the email to change otherwise an error is added."""def email_changeset(user, attrs) douser|> cast(attrs, [:email])|> validate_email()|> case do%{changes: %{email: _}} = changeset -> changeset%{} = changeset -> add_error(changeset, :email, "did not change")endend@doc """A user changeset for changing the password.## Options* `:hash_password` - Hashes the password so it can be stored securelyin the database and ensures the password field is cleared to preventleaks in the logs. If password hashing is not needed and clearing thepassword field is not desired (like when using this changeset forvalidations on a LiveView form), this option can be set to `false`.Defaults to `true`."""def password_changeset(user, attrs, opts \\ []) douser|> cast(attrs, [:password])|> validate_confirmation(:password, message: "does not match password")|> validate_password(opts)end@doc """Confirms the account by setting `confirmed_at`."""def confirm_changeset(user) donow = NaiveDateTime.utc_now() |> NaiveDateTime.truncate(:second)change(user, confirmed_at: now)end@doc """Verifies the password.If there is no user or the user doesn't have a password, we call`Bcrypt.no_user_verify/0` to avoid timing attacks."""def valid_password?(%SomethingErlang.Accounts.User{hashed_password: hashed_password}, password)when is_binary(hashed_password) and byte_size(password) > 0 doBcrypt.verify_pass(password, hashed_password)enddef valid_password?(_, _) doBcrypt.no_user_verify()falseend@doc """Validates the current password otherwise adds an error to the changeset."""def validate_current_password(changeset, password) doif valid_password?(changeset.data, password) dochangesetelseadd_error(changeset, :current_password, "is not valid")endendend
import Config# Only in tests, remove the complexity from the password hashing algorithmconfig :bcrypt_elixir, :log_rounds, 1# Configure your database## The MIX_TEST_PARTITION environment variable can be used# to provide built-in test partitioning in CI environment.# Run `mix help test` for more information.config :something_erlang, SomethingErlang.Repo,username: "postgres",password: "postgres",hostname: "localhost",database: "something_erlang_test#{System.get_env("MIX_TEST_PARTITION")}",pool: Ecto.Adapters.SQL.Sandbox,pool_size: 10# We don't run a server during test. If one is required,# you can enable the server option below.config :something_erlang, SomethingErlangWeb.Endpoint,http: [ip: {127, 0, 0, 1}, port: 4002],secret_key_base: "HtGnJwM5x3sH8vM0q0wZVOLL5vx0f12/P0Sfd96Hv/pNDvFdwTC8FhHuRDz0Ba6b",server: false# In test we don't send emails.config :something_erlang, SomethingErlang.Mailer, adapter: Swoosh.Adapters.Test# Print only warnings and errors during testconfig :logger, level: :warn# Initialize plugs at runtime for faster test compilationconfig :phoenix, :plug_init_mode, :runtime
import Config# config/runtime.exs is executed for all environments, including# during releases. It is executed after compilation and before the# system starts, so it is typically used to load production configuration# and secrets from environment variables or elsewhere. Do not define# any compile-time configuration in here, as it won't be applied.# The block below contains prod specific runtime configuration.# ## Using releases## If you use `mix release`, you need to explicitly enable the server# by passing the PHX_SERVER=true when you start it:## PHX_SERVER=true bin/something_erlang start## Alternatively, you can use `mix phx.gen.release` to generate a `bin/server`# script that automatically sets the env var above.if System.get_env("PHX_SERVER") doconfig :something_erlang, SomethingErlangWeb.Endpoint, server: trueendif config_env() == :prod dodatabase_url =System.get_env("DATABASE_URL") ||raise """environment variable DATABASE_URL is missing.For example: ecto://USER:PASS@HOST/DATABASE"""maybe_ipv6 = if System.get_env("ECTO_IPV6"), do: [:inet6], else: []config :something_erlang, SomethingErlang.Repo,# ssl: true,url: database_url,pool_size: String.to_integer(System.get_env("POOL_SIZE") || "10"),socket_options: maybe_ipv6# The secret key base is used to sign/encrypt cookies and other secrets.# A default value is used in config/dev.exs and config/test.exs but you# want to use a different value for prod and you most likely don't want# to check this value into version control, so we use an environment# variable instead.secret_key_base =System.get_env("SECRET_KEY_BASE") ||raise """environment variable SECRET_KEY_BASE is missing.You can generate one by calling: mix phx.gen.secret"""host = System.get_env("PHX_HOST") || "example.com"port = String.to_integer(System.get_env("PORT") || "4000")config :something_erlang, SomethingErlangWeb.Endpoint,url: [host: host, port: 443, scheme: "https"],http: [# Enable IPv6 and bind on all interfaces.# Set it to {0, 0, 0, 0, 0, 0, 0, 1} for local network only access.# See the documentation on https://hexdocs.pm/plug_cowboy/Plug.Cowboy.html# for details about using IPv6 vs IPv4 and loopback vs public addresses.ip: {0, 0, 0, 0, 0, 0, 0, 0},port: port],secret_key_base: secret_key_base# ## Configuring the mailer## In production you need to configure the mailer to use a different adapter.# Also, you may need to configure the Swoosh API client of your choice if you# are not using SMTP. Here is an example of the configuration:## config :something_erlang, SomethingErlang.Mailer,# adapter: Swoosh.Adapters.Mailgun,# api_key: System.get_env("MAILGUN_API_KEY"),# domain: System.get_env("MAILGUN_DOMAIN")## For this example you need include a HTTP client required by Swoosh API client.# Swoosh supports Hackney and Finch out of the box:## config :swoosh, :api_client, Swoosh.ApiClient.Hackney## See https://hexdocs.pm/swoosh/Swoosh.html#module-installation for details.end
import Config# For production, don't forget to configure the url host# to something meaningful, Phoenix uses this information# when generating URLs.## Note we also include the path to a cache manifest# containing the digested version of static files. This# manifest is generated by the `mix phx.digest` task,# which you should run after static files are built and# before starting your production server.config :something_erlang, SomethingErlangWeb.Endpoint,cache_static_manifest: "priv/static/cache_manifest.json"# Do not print debug messages in productionconfig :logger, level: :info# ## SSL Support## To get SSL working, you will need to add the `https` key# to the previous section and set your `:url` port to 443:## config :something_erlang, SomethingErlangWeb.Endpoint,# ...,# url: [host: "example.com", port: 443],# https: [# ...,# port: 443,# cipher_suite: :strong,# keyfile: System.get_env("SOME_APP_SSL_KEY_PATH"),# certfile: System.get_env("SOME_APP_SSL_CERT_PATH")# ]## The `cipher_suite` is set to `:strong` to support only the# latest and more secure SSL ciphers. This means old browsers# and clients may not be supported. You can set it to# `:compatible` for wider support.## `:keyfile` and `:certfile` expect an absolute path to the key# and cert in disk or a relative path inside priv, for example# "priv/ssl/server.key". For all supported SSL configuration# options, see https://hexdocs.pm/plug/Plug.SSL.html#configure/1## We also recommend setting `force_ssl` in your endpoint, ensuring# no data is ever sent via http, always redirecting to https:## config :something_erlang, SomethingErlangWeb.Endpoint,# force_ssl: [hsts: true]## Check `Plug.SSL` for all available options in `force_ssl`.
import Config# Configure your databaseconfig :something_erlang, SomethingErlang.Repo,username: "postgres",password: "postgres",hostname: "localhost",port: 5432,database: "something_erlang_dev",stacktrace: true,show_sensitive_data_on_connection_error: true,pool_size: 10# For development, we disable any cache and enable# debugging and code reloading.## The watchers configuration can be used to run external# watchers to your application. For example, we use it# with esbuild to bundle .js and .css sources.config :something_erlang, SomethingErlangWeb.Endpoint,# Binding to loopback ipv4 address prevents access from other machines.# Change to `ip: {0, 0, 0, 0}` to allow access from other machines.http: [ip: {0, 0, 0, 0}, port: 4000],check_origin: false,code_reloader: true,debug_errors: true,secret_key_base: "zbRbqQ0NBLDxPdlKgtVwPtnWMd/lp5G7aSanVWVVY95PwxK1LKkyyZqyLTtZdGWB",watchers: [# Start the esbuild watcher by calling Esbuild.install_and_run(:default, args)esbuild: {Esbuild, :install_and_run, [:default, ~w(--sourcemap=inline --watch)]},tailwind: {Tailwind, :install_and_run, [:default, ~w(--watch)]}]# ## SSL Support## In order to use HTTPS in development, a self-signed# certificate can be generated by running the following# Mix task:## mix phx.gen.cert## Note that this task requires Erlang/OTP 20 or later.# Run `mix help phx.gen.cert` for more information.## The `http:` config above can be replaced with:## https: [# port: 4001,# cipher_suite: :strong,# keyfile: "priv/cert/selfsigned_key.pem",# certfile: "priv/cert/selfsigned.pem"# ],## If desired, both `http:` and `https:` keys can be# configured to run both http and https servers on# different ports.# Watch static and templates for browser reloading.config :something_erlang, SomethingErlangWeb.Endpoint,live_reload: [patterns: [~r"priv/static/.*(js|css|png|jpeg|jpg|gif|svg)$",~r"priv/gettext/.*(po)$",~r"lib/something_erlang_web/(live|views)/.*(ex)$",~r"lib/something_erlang_web/templates/.*(eex)$"]]# Do not include metadata nor timestamps in development logsconfig :logger, :console, format: "[$level] $message\n"# Set a higher stacktrace during development. Avoid configuring such# in production as building large stacktraces may be expensive.config :phoenix, :stacktrace_depth, 20# Initialize plugs at runtime for faster development compilationconfig :phoenix, :plug_init_mode, :runtime
# This file is responsible for configuring your application# and its dependencies with the aid of the Config module.## This configuration file is loaded before any dependency and# is restricted to this project.# General application configurationimport Configconfig :something_erlang,ecto_repos: [SomethingErlang.Repo]# Configures the endpointconfig :something_erlang, SomethingErlangWeb.Endpoint,url: [host: "localhost"],render_errors: [view: SomethingErlangWeb.ErrorView, accepts: ~w(html json), layout: false],pubsub_server: SomethingErlang.PubSub,live_view: [signing_salt: "2Zh6iffO"]# Configures the mailer## By default it uses the "Local" adapter which stores the emails# locally. You can see the emails in your browser, at "/dev/mailbox".## For production it's recommended to configure a different adapter# at the `config/runtime.exs`.config :something_erlang, SomethingErlang.Mailer, adapter: Swoosh.Adapters.Local# Swoosh API client is needed for adapters other than SMTP.config :swoosh, :api_client, false# Configure esbuild (the version is required)config :esbuild,version: "0.14.29",default: [args:~w(js/app.js --bundle --target=es2017 --outdir=../priv/static/assets --external:/fonts/* --external:/images/*),cd: Path.expand("../assets", __DIR__),env: %{"NODE_PATH" => Path.expand("../deps", __DIR__)}]config :tailwind,version: "3.0.24",default: [args: ~w(--config=tailwind.config.js--input=css/app.css--output=../priv/static/assets/app.css),cd: Path.expand("../assets", __DIR__)]# Configures Elixir's Loggerconfig :logger, :console,format: "$time $metadata[$level] $message\n",metadata: [:request_id]# Use Jason for JSON parsing in Phoenixconfig :phoenix, :json_library, Jason# Import environment specific config. This must remain at the bottom# of this file so it overrides the configuration defined above.import_config "#{config_env()}.exs"
/*** @license MIT* topbar 1.0.0, 2021-01-06* https://buunguyen.github.io/topbar* Copyright (c) 2021 Buu Nguyen*/(function (window, document) {"use strict";// https://gist.github.com/paulirish/1579671(function () {var lastTime = 0;var vendors = ["ms", "moz", "webkit", "o"];for (var x = 0; x < vendors.length && !window.requestAnimationFrame; ++x) {window.requestAnimationFrame =window[vendors[x] + "RequestAnimationFrame"];window.cancelAnimationFrame =window[vendors[x] + "CancelAnimationFrame"] ||window[vendors[x] + "CancelRequestAnimationFrame"];}if (!window.requestAnimationFrame)window.requestAnimationFrame = function (callback, element) {var currTime = new Date().getTime();var timeToCall = Math.max(0, 16 - (currTime - lastTime));var id = window.setTimeout(function () {callback(currTime + timeToCall);}, timeToCall);lastTime = currTime + timeToCall;return id;};if (!window.cancelAnimationFrame)window.cancelAnimationFrame = function (id) {clearTimeout(id);};})();var canvas,progressTimerId,fadeTimerId,currentProgress,showing,addEvent = function (elem, type, handler) {if (elem.addEventListener) elem.addEventListener(type, handler, false);else if (elem.attachEvent) elem.attachEvent("on" + type, handler);else elem["on" + type] = handler;},options = {autoRun: true,barThickness: 3,barColors: {0: "rgba(26, 188, 156, .9)",".25": "rgba(52, 152, 219, .9)",".50": "rgba(241, 196, 15, .9)",".75": "rgba(230, 126, 34, .9)","1.0": "rgba(211, 84, 0, .9)",},shadowBlur: 10,shadowColor: "rgba(0, 0, 0, .6)",className: null,},repaint = function () {canvas.width = window.innerWidth;canvas.height = options.barThickness * 5; // need space for shadowvar ctx = canvas.getContext("2d");ctx.shadowBlur = options.shadowBlur;ctx.shadowColor = options.shadowColor;var lineGradient = ctx.createLinearGradient(0, 0, canvas.width, 0);for (var stop in options.barColors)lineGradient.addColorStop(stop, options.barColors[stop]);ctx.lineWidth = options.barThickness;ctx.beginPath();ctx.moveTo(0, options.barThickness / 2);ctx.lineTo(Math.ceil(currentProgress * canvas.width),options.barThickness / 2);ctx.strokeStyle = lineGradient;ctx.stroke();},createCanvas = function () {canvas = document.createElement("canvas");var style = canvas.style;style.position = "fixed";style.top = style.left = style.right = style.margin = style.padding = 0;style.zIndex = 100001;style.display = "none";if (options.className) canvas.classList.add(options.className);document.body.appendChild(canvas);addEvent(window, "resize", repaint);},topbar = {config: function (opts) {for (var key in opts)if (options.hasOwnProperty(key)) options[key] = opts[key];},show: function () {if (showing) return;showing = true;if (fadeTimerId !== null) window.cancelAnimationFrame(fadeTimerId);if (!canvas) createCanvas();canvas.style.opacity = 1;canvas.style.display = "block";topbar.progress(0);if (options.autoRun) {(function loop() {progressTimerId = window.requestAnimationFrame(loop);topbar.progress("+" + 0.05 * Math.pow(1 - Math.sqrt(currentProgress), 2));})();}},progress: function (to) {if (typeof to === "undefined") return currentProgress;if (typeof to === "string") {to =(to.indexOf("+") >= 0 || to.indexOf("-") >= 0? currentProgress: 0) + parseFloat(to);}currentProgress = to > 1 ? 1 : to;repaint();return currentProgress;},hide: function () {if (!showing) return;showing = false;if (progressTimerId != null) {window.cancelAnimationFrame(progressTimerId);progressTimerId = null;}(function loop() {if (topbar.progress("+.1") >= 1) {canvas.style.opacity -= 0.05;if (canvas.style.opacity <= 0.05) {canvas.style.display = "none";fadeTimerId = null;return;}}fadeTimerId = window.requestAnimationFrame(loop);})();},};if (typeof module === "object" && typeof module.exports === "object") {module.exports = topbar;} else if (typeof define === "function" && define.amd) {define(function () {return topbar;});} else {this.topbar = topbar;}}.call(this, window, document));
// See the Tailwind configuration guide for advanced usage// https://tailwindcss.com/docs/configurationmodule.exports = {content: ['./js/**/*.js','../lib/*_web.ex','../lib/*_web/**/*.*ex'],theme: {extend: {},},daisyui: {themes: ["winter", "night"],darkTheme: "night"},plugins: [require('@tailwindcss/forms'),require('@tailwindcss/typography'),require("daisyui")]}
lockfileVersion: 5.4specifiers:'@tailwindcss/typography': ^0.5.2autoprefixer: ^10.4.7daisyui: ^2.15.0postcss: ^8.4.14tailwindcss: ^3.0.24dependencies:'@tailwindcss/typography': 0.5.2_tailwindcss@3.0.24daisyui: 2.15.0_ugi4xkrfysqkt4c4y6hkyfj344tailwindcss: 3.0.24devDependencies:autoprefixer: 10.4.7_postcss@8.4.14postcss: 8.4.14packages:/@nodelib/fs.scandir/2.1.5:resolution: {integrity: sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==}engines: {node: '>= 8'}dependencies:'@nodelib/fs.stat': 2.0.5run-parallel: 1.2.0dev: false/@nodelib/fs.stat/2.0.5:resolution: {integrity: sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==}engines: {node: '>= 8'}dev: false/@nodelib/fs.walk/1.2.8:resolution: {integrity: sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==}engines: {node: '>= 8'}dependencies:'@nodelib/fs.scandir': 2.1.5fastq: 1.13.0dev: false/@tailwindcss/typography/0.5.2_tailwindcss@3.0.24:resolution: {integrity: sha512-coq8DBABRPFcVhVIk6IbKyyHUt7YTEC/C992tatFB+yEx5WGBQrCgsSFjxHUr8AWXphWckadVJbominEduYBqw==}peerDependencies:tailwindcss: '>=3.0.0 || >= 3.0.0-alpha.1 || insiders'dependencies:lodash.castarray: 4.4.0lodash.isplainobject: 4.0.6lodash.merge: 4.6.2tailwindcss: 3.0.24dev: false/acorn-node/1.8.2:resolution: {integrity: sha512-8mt+fslDufLYntIoPAaIMUe/lrbrehIiwmR3t2k9LljIzoigEPF27eLk2hy8zSGzmR/ogr7zbRKINMo1u0yh5A==}dependencies:acorn: 7.4.1acorn-walk: 7.2.0xtend: 4.0.2dev: false/acorn-walk/7.2.0:resolution: {integrity: sha512-OPdCF6GsMIP+Az+aWfAAOEt2/+iVDKE7oy6lJ098aoe59oAmK76qV6Gw60SbZ8jHuG2wH058GF4pLFbYamYrVA==}engines: {node: '>=0.4.0'}dev: false/acorn/7.4.1:resolution: {integrity: sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==}engines: {node: '>=0.4.0'}hasBin: truedev: false/anymatch/3.1.2:resolution: {integrity: sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==}engines: {node: '>= 8'}dependencies:normalize-path: 3.0.0picomatch: 2.3.1dev: false/arg/5.0.1:resolution: {integrity: sha512-e0hDa9H2Z9AwFkk2qDlwhoMYE4eToKarchkQHovNdLTCYMHZHeRjI71crOh+dio4K6u1IcwubQqo79Ga4CyAQA==}dev: false/autoprefixer/10.4.7_postcss@8.4.14:resolution: {integrity: sha512-ypHju4Y2Oav95SipEcCcI5J7CGPuvz8oat7sUtYj3ClK44bldfvtvcxK6IEK++7rqB7YchDGzweZIBG+SD0ZAA==}engines: {node: ^10 || ^12 || >=14}hasBin: truepeerDependencies:postcss: ^8.1.0dependencies:browserslist: 4.20.3caniuse-lite: 1.0.30001342fraction.js: 4.2.0normalize-range: 0.1.2picocolors: 1.0.0postcss: 8.4.14postcss-value-parser: 4.2.0dev: true/binary-extensions/2.2.0:resolution: {integrity: sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==}engines: {node: '>=8'}dev: false/braces/3.0.2:resolution: {integrity: sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==}engines: {node: '>=8'}dependencies:fill-range: 7.0.1dev: false/browserslist/4.20.3:resolution: {integrity: sha512-NBhymBQl1zM0Y5dQT/O+xiLP9/rzOIQdKM/eMJBAq7yBgaB6krIYLGejrwVYnSHZdqjscB1SPuAjHwxjvN6Wdg==}engines: {node: ^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7}hasBin: truedependencies:caniuse-lite: 1.0.30001342electron-to-chromium: 1.4.137escalade: 3.1.1node-releases: 2.0.4picocolors: 1.0.0dev: true/camelcase-css/2.0.1:resolution: {integrity: sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==}engines: {node: '>= 6'}dev: false/caniuse-lite/1.0.30001342:resolution: {integrity: sha512-bn6sOCu7L7jcbBbyNhLg0qzXdJ/PMbybZTH/BA6Roet9wxYRm6Tr9D0s0uhLkOZ6MSG+QU6txUgdpr3MXIVqjA==}dev: true/chokidar/3.5.3:resolution: {integrity: sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==}engines: {node: '>= 8.10.0'}dependencies:anymatch: 3.1.2braces: 3.0.2glob-parent: 5.1.2is-binary-path: 2.1.0is-glob: 4.0.3normalize-path: 3.0.0readdirp: 3.6.0optionalDependencies:fsevents: 2.3.2dev: false/color-convert/2.0.1:resolution: {integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==}engines: {node: '>=7.0.0'}dependencies:color-name: 1.1.4dev: false/color-name/1.1.4:resolution: {integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==}dev: false/color-string/1.9.1:resolution: {integrity: sha512-shrVawQFojnZv6xM40anx4CkoDP+fZsw/ZerEMsW/pyzsRbElpsL/DBVW7q3ExxwusdNXI3lXpuhEZkzs8p5Eg==}dependencies:color-name: 1.1.4simple-swizzle: 0.2.2dev: false/color/4.2.3:resolution: {integrity: sha512-1rXeuUUiGGrykh+CeBdu5Ie7OJwinCgQY0bc7GCRxy5xVHy+moaqkpL/jqQq0MtQOeYcrqEz4abc5f0KtU7W4A==}engines: {node: '>=12.5.0'}dependencies:color-convert: 2.0.1color-string: 1.9.1dev: false/css-selector-tokenizer/0.8.0:resolution: {integrity: sha512-Jd6Ig3/pe62/qe5SBPTN8h8LeUg/pT4lLgtavPf7updwwHpvFzxvOQBHYj2LZDMjUnBzgvIUSjRcf6oT5HzHFg==}dependencies:cssesc: 3.0.0fastparse: 1.1.2dev: false/cssesc/3.0.0:resolution: {integrity: sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==}engines: {node: '>=4'}hasBin: truedev: false/daisyui/2.15.0_ugi4xkrfysqkt4c4y6hkyfj344:resolution: {integrity: sha512-FvKgt3+sqnpNdh9dop2Md9lNnOsJvJ1GGImKrgA6j/gu9tY0Cdp2x9ftd0Y6RrCbDvgu+1ystobvFkAPOnXAfg==}peerDependencies:autoprefixer: ^10.0.2postcss: ^8.1.6dependencies:autoprefixer: 10.4.7_postcss@8.4.14color: 4.2.3css-selector-tokenizer: 0.8.0postcss: 8.4.14postcss-js: 4.0.0_postcss@8.4.14tailwindcss: 3.0.24transitivePeerDependencies:- ts-nodedev: false/defined/1.0.0:resolution: {integrity: sha1-yY2bzvdWdBiOEQlpFRGZ45sfppM=}dev: false/detective/5.2.0:resolution: {integrity: sha512-6SsIx+nUUbuK0EthKjv0zrdnajCCXVYGmbYYiYjFVpzcjwEs/JMDZ8tPRG29J/HhN56t3GJp2cGSWDRjjot8Pg==}engines: {node: '>=0.8.0'}hasBin: truedependencies:acorn-node: 1.8.2defined: 1.0.0minimist: 1.2.6dev: false/didyoumean/1.2.2:resolution: {integrity: sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==}dev: false/dlv/1.1.3:resolution: {integrity: sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==}dev: false/electron-to-chromium/1.4.137:resolution: {integrity: sha512-0Rcpald12O11BUogJagX3HsCN3FE83DSqWjgXoHo5a72KUKMSfI39XBgJpgNNxS9fuGzytaFjE06kZkiVFy2qA==}dev: true/escalade/3.1.1:resolution: {integrity: sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==}engines: {node: '>=6'}dev: true/fast-glob/3.2.11:resolution: {integrity: sha512-xrO3+1bxSo3ZVHAnqzyuewYT6aMFHRAd4Kcs92MAonjwQZLsK9d0SF1IyQ3k5PoirxTW0Oe/RqFgMQ6TcNE5Ew==}engines: {node: '>=8.6.0'}dependencies:'@nodelib/fs.stat': 2.0.5'@nodelib/fs.walk': 1.2.8glob-parent: 5.1.2merge2: 1.4.1micromatch: 4.0.5dev: false/fastparse/1.1.2:resolution: {integrity: sha512-483XLLxTVIwWK3QTrMGRqUfUpoOs/0hbQrl2oz4J0pAcm3A3bu84wxTFqGqkJzewCLdME38xJLJAxBABfQT8sQ==}dev: false/fastq/1.13.0:resolution: {integrity: sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw==}dependencies:reusify: 1.0.4dev: false/fill-range/7.0.1:resolution: {integrity: sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==}engines: {node: '>=8'}dependencies:to-regex-range: 5.0.1dev: false/fraction.js/4.2.0:resolution: {integrity: sha512-MhLuK+2gUcnZe8ZHlaaINnQLl0xRIGRfcGk2yl8xoQAfHrSsL3rYu6FCmBdkdbhc9EPlwyGHewaRsvwRMJtAlA==}dev: true/fsevents/2.3.2:resolution: {integrity: sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==}engines: {node: ^8.16.0 || ^10.6.0 || >=11.0.0}os: [darwin]requiresBuild: truedev: falseoptional: true/function-bind/1.1.1:resolution: {integrity: sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==}dev: false/glob-parent/5.1.2:resolution: {integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==}engines: {node: '>= 6'}dependencies:is-glob: 4.0.3dev: false/glob-parent/6.0.2:resolution: {integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==}engines: {node: '>=10.13.0'}dependencies:is-glob: 4.0.3dev: false/has/1.0.3:resolution: {integrity: sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==}engines: {node: '>= 0.4.0'}dependencies:function-bind: 1.1.1dev: false/is-arrayish/0.3.2:resolution: {integrity: sha512-eVRqCvVlZbuw3GrM63ovNSNAeA1K16kaR/LRY/92w0zxQ5/1YzwblUX652i4Xs9RwAGjW9d9y6X88t8OaAJfWQ==}dev: false/is-binary-path/2.1.0:resolution: {integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==}engines: {node: '>=8'}dependencies:binary-extensions: 2.2.0dev: false/is-core-module/2.9.0:resolution: {integrity: sha512-+5FPy5PnwmO3lvfMb0AsoPaBG+5KHUI0wYFXOtYPnVVVspTFUuMZNfNaNVRt3FZadstu2c8x23vykRW/NBoU6A==}dependencies:has: 1.0.3dev: false/is-extglob/2.1.1:resolution: {integrity: sha1-qIwCU1eR8C7TfHahueqXc8gz+MI=}engines: {node: '>=0.10.0'}dev: false/is-glob/4.0.3:resolution: {integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==}engines: {node: '>=0.10.0'}dependencies:is-extglob: 2.1.1dev: false/is-number/7.0.0:resolution: {integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==}engines: {node: '>=0.12.0'}dev: false/lilconfig/2.0.5:resolution: {integrity: sha512-xaYmXZtTHPAw5m+xLN8ab9C+3a8YmV3asNSPOATITbtwrfbwaLJj8h66H1WMIpALCkqsIzK3h7oQ+PdX+LQ9Eg==}engines: {node: '>=10'}dev: false/lodash.castarray/4.4.0:resolution: {integrity: sha1-wCUTUV4wna3dTCTGDP3c9ZdtkRU=}dev: false/lodash.isplainobject/4.0.6:resolution: {integrity: sha1-fFJqUtibRcRcxpC4gWO+BJf1UMs=}dev: false/lodash.merge/4.6.2:resolution: {integrity: sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==}dev: false/merge2/1.4.1:resolution: {integrity: sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==}engines: {node: '>= 8'}dev: false/micromatch/4.0.5:resolution: {integrity: sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==}engines: {node: '>=8.6'}dependencies:braces: 3.0.2picomatch: 2.3.1dev: false/minimist/1.2.6:resolution: {integrity: sha512-Jsjnk4bw3YJqYzbdyBiNsPWHPfO++UGG749Cxs6peCu5Xg4nrena6OVxOYxrQTqww0Jmwt+Ref8rggumkTLz9Q==}dev: false/nanoid/3.3.4:resolution: {integrity: sha512-MqBkQh/OHTS2egovRtLk45wEyNXwF+cokD+1YPf9u5VfJiRdAiRwB2froX5Co9Rh20xs4siNPm8naNotSD6RBw==}engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1}hasBin: true/node-releases/2.0.4:resolution: {integrity: sha512-gbMzqQtTtDz/00jQzZ21PQzdI9PyLYqUSvD0p3naOhX4odFji0ZxYdnVwPTxmSwkmxhcFImpozceidSG+AgoPQ==}dev: true/normalize-path/3.0.0:resolution: {integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==}engines: {node: '>=0.10.0'}dev: false/normalize-range/0.1.2:resolution: {integrity: sha1-LRDAa9/TEuqXd2laTShDlFa3WUI=}engines: {node: '>=0.10.0'}dev: true/object-hash/3.0.0:resolution: {integrity: sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==}engines: {node: '>= 6'}dev: false/path-parse/1.0.7:resolution: {integrity: sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==}dev: false/picocolors/1.0.0:resolution: {integrity: sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==}/picomatch/2.3.1:resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==}engines: {node: '>=8.6'}dev: false/postcss-js/4.0.0_postcss@8.4.14:resolution: {integrity: sha512-77QESFBwgX4irogGVPgQ5s07vLvFqWr228qZY+w6lW599cRlK/HmnlivnnVUxkjHnCu4J16PDMHcH+e+2HbvTQ==}engines: {node: ^12 || ^14 || >= 16}peerDependencies:postcss: ^8.3.3dependencies:camelcase-css: 2.0.1postcss: 8.4.14dev: false/postcss-load-config/3.1.4_postcss@8.4.14:resolution: {integrity: sha512-6DiM4E7v4coTE4uzA8U//WhtPwyhiim3eyjEMFCnUpzbrkK9wJHgKDT2mR+HbtSrd/NubVaYTOpSpjUl8NQeRg==}engines: {node: '>= 10'}peerDependencies:postcss: '>=8.0.9'ts-node: '>=9.0.0'peerDependenciesMeta:postcss:optional: truets-node:optional: truedependencies:lilconfig: 2.0.5postcss: 8.4.14yaml: 1.10.2dev: false/postcss-nested/5.0.6_postcss@8.4.14:resolution: {integrity: sha512-rKqm2Fk0KbA8Vt3AdGN0FB9OBOMDVajMG6ZCf/GoHgdxUJ4sBFp0A/uMIRm+MJUdo33YXEtjqIz8u7DAp8B7DA==}engines: {node: '>=12.0'}peerDependencies:postcss: ^8.2.14dependencies:postcss: 8.4.14postcss-selector-parser: 6.0.10dev: false/postcss-selector-parser/6.0.10:resolution: {integrity: sha512-IQ7TZdoaqbT+LCpShg46jnZVlhWD2w6iQYAcYXfHARZ7X1t/UGhhceQDs5X0cGqKvYlHNOuv7Oa1xmb0oQuA3w==}engines: {node: '>=4'}dependencies:cssesc: 3.0.0util-deprecate: 1.0.2dev: false/postcss-value-parser/4.2.0:resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==}/postcss/8.4.14:resolution: {integrity: sha512-E398TUmfAYFPBSdzgeieK2Y1+1cpdxJx8yXbK/m57nRhKSmk1GB2tO4lbLBtlkfPQTDKfe4Xqv1ASWPpayPEig==}engines: {node: ^10 || ^12 || >=14}dependencies:nanoid: 3.3.4picocolors: 1.0.0source-map-js: 1.0.2/queue-microtask/1.2.3:resolution: {integrity: sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==}dev: false/quick-lru/5.1.1:resolution: {integrity: sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==}engines: {node: '>=10'}dev: false/readdirp/3.6.0:resolution: {integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==}engines: {node: '>=8.10.0'}dependencies:picomatch: 2.3.1dev: false/resolve/1.22.0:resolution: {integrity: sha512-Hhtrw0nLeSrFQ7phPp4OOcVjLPIeMnRlr5mcnVuMe7M/7eBn98A3hmFRLoFo3DLZkivSYwhRUJTyPyWAk56WLw==}hasBin: truedependencies:is-core-module: 2.9.0path-parse: 1.0.7supports-preserve-symlinks-flag: 1.0.0dev: false/reusify/1.0.4:resolution: {integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==}engines: {iojs: '>=1.0.0', node: '>=0.10.0'}dev: false/run-parallel/1.2.0:resolution: {integrity: sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==}dependencies:queue-microtask: 1.2.3dev: false/simple-swizzle/0.2.2:resolution: {integrity: sha1-pNprY1/8zMoz9w0Xy5JZLeleVXo=}dependencies:is-arrayish: 0.3.2dev: false/source-map-js/1.0.2:resolution: {integrity: sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==}engines: {node: '>=0.10.0'}/supports-preserve-symlinks-flag/1.0.0:resolution: {integrity: sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==}engines: {node: '>= 0.4'}dev: false/tailwindcss/3.0.24:resolution: {integrity: sha512-H3uMmZNWzG6aqmg9q07ZIRNIawoiEcNFKDfL+YzOPuPsXuDXxJxB9icqzLgdzKNwjG3SAro2h9SYav8ewXNgig==}engines: {node: '>=12.13.0'}hasBin: truedependencies:arg: 5.0.1chokidar: 3.5.3color-name: 1.1.4detective: 5.2.0didyoumean: 1.2.2dlv: 1.1.3fast-glob: 3.2.11glob-parent: 6.0.2is-glob: 4.0.3lilconfig: 2.0.5normalize-path: 3.0.0object-hash: 3.0.0picocolors: 1.0.0postcss: 8.4.14postcss-js: 4.0.0_postcss@8.4.14postcss-load-config: 3.1.4_postcss@8.4.14postcss-nested: 5.0.6_postcss@8.4.14postcss-selector-parser: 6.0.10postcss-value-parser: 4.2.0quick-lru: 5.1.1resolve: 1.22.0transitivePeerDependencies:- ts-nodedev: false/to-regex-range/5.0.1:resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==}engines: {node: '>=8.0'}dependencies:is-number: 7.0.0dev: false/util-deprecate/1.0.2:resolution: {integrity: sha1-RQ1Nyfpw3nMnYvvS1KKJgUGaDM8=}dev: false/xtend/4.0.2:resolution: {integrity: sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==}engines: {node: '>=0.4'}dev: false/yaml/1.10.2:resolution: {integrity: sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==}engines: {node: '>= 6'}dev: false
{"dependencies": {"@tailwindcss/typography": "^0.5.2","daisyui": "^2.15.0","tailwindcss": "^3.0.24"},"devDependencies": {"autoprefixer": "^10.4.7","postcss": "^8.4.14"}}
// We import the CSS which is extracted to its own file by esbuild.// Remove this line if you add a your own CSS build pipeline (e.g postcss).// If you want to use Phoenix channels, run `mix help phx.gen.channel`// to get started and then uncomment the line below.// import "./user_socket.js"// You can include dependencies in two ways.//// The simplest option is to put them in assets/vendor and// import them using relative paths://// import "../vendor/some-package.js"//// Alternatively, you can `npm install some-package --prefix assets` and import// them using a path starting with the package name://// import "some-package"//// Include phoenix_html to handle method=PUT/DELETE in forms and buttons.import "phoenix_html"// Establish Phoenix Socket and LiveView configuration.import {Socket} from "phoenix"import {LiveSocket} from "phoenix_live_view"import topbar from "../vendor/topbar"let csrfToken = document.querySelector("meta[name='csrf-token']").getAttribute("content")let liveSocket = new LiveSocket("/live", Socket, {params: {_csrf_token: csrfToken}})// Show progress bar on live navigation and form submitstopbar.config({barColors: {0: "#29d"}, shadowColor: "rgba(0, 0, 0, .3)"})window.addEventListener("phx:page-loading-start", info => topbar.show())window.addEventListener("phx:page-loading-stop", info => topbar.hide())// connect if there are any LiveViews on the pageliveSocket.connect()// expose liveSocket on window for web console debug logs and latency simulation:// >> liveSocket.enableDebug()// >> liveSocket.enableLatencySim(1000) // enabled for duration of browser session// >> liveSocket.disableLatencySim()window.liveSocket = liveSocket
/* Includes some default style for the starter application.* This can be safely deleted to start fresh.*//* Milligram v1.4.1 https://milligram.github.io* Copyright (c) 2020 CJ Patoilo Licensed under the MIT license*/*,*: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,<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 30 8" width="30"><path fill="%23d1d1d1" d="M0,0l6,8l6-8"/></svg>') center right no-repeat;padding-right:3.0rem}select:focus{background-image:url('data:image/svg+xml;utf8,<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 30 8" width="30"><path fill="%230069d9" d="M0,0l6,8l6-8"/></svg>')}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}/* General style */h1{font-size: 3.6rem; line-height: 1.25}h2{font-size: 2.8rem; line-height: 1.3}h3{font-size: 2.2rem; letter-spacing: -.08rem; line-height: 1.35}h4{font-size: 1.8rem; letter-spacing: -.05rem; line-height: 1.5}h5{font-size: 1.6rem; letter-spacing: 0; line-height: 1.4}h6{font-size: 1.4rem; letter-spacing: 0; line-height: 1.2}pre{padding: 1em;}.container{margin: 0 auto;max-width: 80.0rem;padding: 0 2.0rem;position: relative;width: 100%}select {width: auto;}/* Phoenix promo and logo */.phx-hero {text-align: center;border-bottom: 1px solid #e3e3e3;background: #eee;border-radius: 6px;padding: 3em 3em 1em;margin-bottom: 3rem;font-weight: 200;font-size: 120%;}.phx-hero input {background: #ffffff;}.phx-logo {min-width: 300px;margin: 1rem;display: block;}.phx-logo img {width: auto;display: block;}/* Headers */header {width: 100%;background: #fdfdfd;border-bottom: 1px solid #eaeaea;margin-bottom: 2rem;}header section {align-items: center;display: flex;flex-direction: column;justify-content: space-between;}header section :first-child {order: 2;}header section :last-child {order: 1;}header nav ul,header nav li {margin: 0;padding: 0;display: block;text-align: right;white-space: nowrap;}header nav ul {margin: 1rem;margin-top: 0;}header nav a {display: block;}@media (min-width: 40.0rem) { /* Small devices (landscape phones, 576px and up) */header section {flex-direction: row;}header nav ul {margin: 1rem;}.phx-logo {flex-basis: 527px;margin: 2rem 1rem;}}
@import "tailwindcss/base";@import "tailwindcss/components";@import "tailwindcss/utilities";/* This file is for your main application CSS */body {@apply bg-base-300 text-[14pt] leading-8 overflow-x-hidden;}.post {@apply bg-base-200 shadow-md rounded-md mb-4;@apply grid grid-cols-[1fr] grid-rows-[min-content_1fr_auto];@apply sm:grid-cols-[13em_auto] sm:grid-rows-[1fr_auto];}.post :where(article, .userinfo) {@apply p-4 pb-0 sm:pb-4;}.post .bbc-block {@apply bg-base-300 p-4 py-2 border-l-2 border-secondary rounded w-full;}.post .bbc-block h4 {@apply text-sm mb-2;}.post .bbc-spoiler { @apply bg-black text-black; }.post .bbc-spoiler img { @apply invisible; }.post .bbc-spoiler:hover { @apply text-inherit bg-inherit; }.post .bbc-spoiler:hover img { @apply visible; }.post .sa-smilie { @apply inline; }.post iframe {@apply w-full bg-[brown];}.post .code { @apply mockup-code border-l-0; }.post .code:before { @apply -ml-[2ch]; }.post .code pre:before { @apply mr-0; }.post .code h5 { @apply hidden; }.post a[href] { @apply link; }.post .editedby { @apply text-sm italic opacity-70 mt-4; }.post .title :where(img[src*="gangtags"]) + * {@apply mb-1;}.pagination i {@apply h-5;}/* Alerts and form errors used by phx.new */.alert {padding: 15px;margin-bottom: 20px;border: 1px solid transparent;border-radius: 4px;}.alert-info {color: #31708f;background-color: #d9edf7;border-color: #bce8f1;}.alert-warning {color: #8a6d3b;background-color: #fcf8e3;border-color: #faebcc;}.alert-danger {color: #a94442;background-color: #f2dede;border-color: #ebccd1;}.alert p {margin-bottom: 0;}.alert:empty {display: none;}.invalid-feedback {color: #a94442;display: block;margin: -1rem 0 2rem;}/* LiveView specific classes for your customization */.phx-no-feedback.invalid-feedback,.phx-no-feedback .invalid-feedback {display: none;}.phx-click-loading {opacity: 0.5;transition: opacity 1s ease-out;}.phx-loading{cursor: wait;}.phx-modal {opacity: 1!important;position: fixed;z-index: 1;left: 0;top: 0;width: 100%;height: 100%;overflow: auto;background-color: rgba(0,0,0,0.4);}.phx-modal-content {background-color: #fefefe;margin: 15vh auto;padding: 20px;border: 1px solid #888;width: 80%;}.phx-modal-close {color: #aaa;float: right;font-size: 28px;font-weight: bold;}.phx-modal-close:hover,.phx-modal-close:focus {color: black;text-decoration: none;cursor: pointer;}.fade-in-scale {animation: 0.2s ease-in 0s normal forwards 1 fade-in-scale-keys;}.fade-out-scale {animation: 0.2s ease-out 0s normal forwards 1 fade-out-scale-keys;}.fade-in {animation: 0.2s ease-out 0s normal forwards 1 fade-in-keys;}.fade-out {animation: 0.2s ease-out 0s normal forwards 1 fade-out-keys;}@keyframes fade-in-scale-keys{0% { scale: 0.95; opacity: 0; }100% { scale: 1.0; opacity: 1; }}@keyframes fade-out-scale-keys{0% { scale: 1.0; opacity: 1; }100% { scale: 0.95; opacity: 0; }}@keyframes fade-in-keys{0% { opacity: 0; }100% { opacity: 1; }}@keyframes fade-out-keys{0% { opacity: 1; }100% { opacity: 0; }}
# SomethingErlangUp and running:* `mix deps.get`* `mix ecto.setup`* `mix phx.server`Now you can visit [`localhost:4000`](http://localhost:4000) from your browser.
.git.DS_Store# The directory Mix will write compiled artifacts to./_build/# If you run "mix test --cover", coverage assets end up here./cover/# The directory Mix downloads your dependencies sources to./deps/# Where 3rd-party dependencies like ExDoc output generated docs./doc/# Ignore .fetch files in case you like to edit your project deps locally./.fetch# If the VM crashes, it generates a dump, let's ignore it too.erl_crash.dump# Also ignore archive artifacts (built via "mix archive.build").*.ez# Ignore package tarball (built via "mix hex.build").something_erlang-*.tar# Ignore assets that are produced by build tools./priv/static/assets/# Ignore digested assets cache./priv/static/cache_manifest.json# Ignore icon repo/priv/icons# In case you use Node.js/npm, you want to ignore these.npm-debug.log/assets/node_modules/
[import_deps: [:ecto, :phoenix],inputs: ["*.{ex,exs}", "priv/*/seeds.exs", "{config,lib,test}/**/*.{ex,exs}"],subdirectories: ["priv/*/migrations"]]