get started on route for creating links, dividing steps into components

This commit is contained in:
2021-08-19 22:35:12 -04:00
parent 1542213875
commit dfaa328af4
24 changed files with 618 additions and 36 deletions

View File

@@ -6,7 +6,29 @@ defmodule Entendu.Application do
use Application
def start(_type, _args) do
children = [
# topologies = [
# chat: [
# strategy: Cluster.Strategy.Gossip
# ]
# ]
topologies = [
k8s_entendu: [
strategy: Elixir.Cluster.Strategy.Kubernetes.DNS,
config: [
service: "entendu-nodes",
application_name: "entendu"
]
]
]
children = case Application.get_env(:frayt_elixir, :enable_k8s) do
true -> [
{Cluster.Supervisor, [topologies, [name: Entendu.ClusterSupervisor]]}
]
_ -> []
end
|> Kernel.++([
# Start the Ecto repository
Entendu.Repo,
# Start the Telemetry supervisor
@@ -17,7 +39,7 @@ defmodule Entendu.Application do
EntenduWeb.Endpoint
# Start a worker by calling: Entendu.Worker.start_link(arg)
# {Entendu.Worker, arg}
]
])
# See https://hexdocs.pm/elixir/Supervisor.html
# for other strategies and supported options

104
lib/entendu/links.ex Normal file
View File

@@ -0,0 +1,104 @@
defmodule Entendu.Links do
@moduledoc """
The Links context.
"""
import Ecto.Query, warn: false
alias Entendu.Repo
alias Entendu.Links.Link
@doc """
Returns the list of links.
## Examples
iex> list_links()
[%Link{}, ...]
"""
def list_links do
Repo.all(Link)
end
@doc """
Gets a single link.
Raises `Ecto.NoResultsError` if the Link does not exist.
## Examples
iex> get_link!(123)
%Link{}
iex> get_link!(456)
** (Ecto.NoResultsError)
"""
def get_link!(id), do: Repo.get!(Link, id)
@doc """
Creates a link.
## Examples
iex> create_link(%{field: value})
{:ok, %Link{}}
iex> create_link(%{field: bad_value})
{:error, %Ecto.Changeset{}}
"""
def create_link(attrs \\ %{}) do
%Link{}
|> Link.changeset(attrs)
|> Repo.insert()
end
@doc """
Updates a link.
## Examples
iex> update_link(link, %{field: new_value})
{:ok, %Link{}}
iex> update_link(link, %{field: bad_value})
{:error, %Ecto.Changeset{}}
"""
def update_link(%Link{} = link, attrs) do
link
|> Link.changeset(attrs)
|> Repo.update()
end
@doc """
Deletes a link.
## Examples
iex> delete_link(link)
{:ok, %Link{}}
iex> delete_link(link)
{:error, %Ecto.Changeset{}}
"""
def delete_link(%Link{} = link) do
Repo.delete(link)
end
@doc """
Returns an `%Ecto.Changeset{}` for tracking link changes.
## Examples
iex> change_link(link)
%Ecto.Changeset{data: %Link{}}
"""
def change_link(%Link{} = link, attrs \\ %{}) do
Link.changeset(link, attrs)
end
end

18
lib/entendu/links/link.ex Normal file
View File

@@ -0,0 +1,18 @@
defmodule Entendu.Links.Link do
use Ecto.Schema
import Ecto.Changeset
schema "links" do
field :burn_after_reading, :boolean, default: false
field :expires, :utc_datetime
timestamps()
end
@doc false
def changeset(link, attrs) do
link
|> cast(attrs, [:expires, :burn_after_reading])
|> validate_required([:expires, :burn_after_reading])
end
end

View File