105 lines
1.6 KiB
Elixir
105 lines
1.6 KiB
Elixir
|
|
defmodule Zoeyscomputer.Gists do
|
||
|
|
@moduledoc """
|
||
|
|
The Gists context.
|
||
|
|
"""
|
||
|
|
|
||
|
|
import Ecto.Query, warn: false
|
||
|
|
alias Zoeyscomputer.Repo
|
||
|
|
|
||
|
|
alias Zoeyscomputer.Gists.Gist
|
||
|
|
|
||
|
|
@doc """
|
||
|
|
Returns the list of gists.
|
||
|
|
|
||
|
|
## Examples
|
||
|
|
|
||
|
|
iex> list_gists()
|
||
|
|
[%Gist{}, ...]
|
||
|
|
|
||
|
|
"""
|
||
|
|
def list_gists do
|
||
|
|
Repo.all(Gist)
|
||
|
|
end
|
||
|
|
|
||
|
|
@doc """
|
||
|
|
Gets a single gist.
|
||
|
|
|
||
|
|
Raises `Ecto.NoResultsError` if the Gist does not exist.
|
||
|
|
|
||
|
|
## Examples
|
||
|
|
|
||
|
|
iex> get_gist!(123)
|
||
|
|
%Gist{}
|
||
|
|
|
||
|
|
iex> get_gist!(456)
|
||
|
|
** (Ecto.NoResultsError)
|
||
|
|
|
||
|
|
"""
|
||
|
|
def get_gist!(id), do: Repo.get!(Gist, id)
|
||
|
|
|
||
|
|
@doc """
|
||
|
|
Creates a gist.
|
||
|
|
|
||
|
|
## Examples
|
||
|
|
|
||
|
|
iex> create_gist(%{field: value})
|
||
|
|
{:ok, %Gist{}}
|
||
|
|
|
||
|
|
iex> create_gist(%{field: bad_value})
|
||
|
|
{:error, %Ecto.Changeset{}}
|
||
|
|
|
||
|
|
"""
|
||
|
|
def create_gist(attrs \\ %{}) do
|
||
|
|
%Gist{}
|
||
|
|
|> Gist.changeset(attrs)
|
||
|
|
|> Repo.insert()
|
||
|
|
end
|
||
|
|
|
||
|
|
@doc """
|
||
|
|
Updates a gist.
|
||
|
|
|
||
|
|
## Examples
|
||
|
|
|
||
|
|
iex> update_gist(gist, %{field: new_value})
|
||
|
|
{:ok, %Gist{}}
|
||
|
|
|
||
|
|
iex> update_gist(gist, %{field: bad_value})
|
||
|
|
{:error, %Ecto.Changeset{}}
|
||
|
|
|
||
|
|
"""
|
||
|
|
def update_gist(%Gist{} = gist, attrs) do
|
||
|
|
gist
|
||
|
|
|> Gist.changeset(attrs)
|
||
|
|
|> Repo.update()
|
||
|
|
end
|
||
|
|
|
||
|
|
@doc """
|
||
|
|
Deletes a gist.
|
||
|
|
|
||
|
|
## Examples
|
||
|
|
|
||
|
|
iex> delete_gist(gist)
|
||
|
|
{:ok, %Gist{}}
|
||
|
|
|
||
|
|
iex> delete_gist(gist)
|
||
|
|
{:error, %Ecto.Changeset{}}
|
||
|
|
|
||
|
|
"""
|
||
|
|
def delete_gist(%Gist{} = gist) do
|
||
|
|
Repo.delete(gist)
|
||
|
|
end
|
||
|
|
|
||
|
|
@doc """
|
||
|
|
Returns an `%Ecto.Changeset{}` for tracking gist changes.
|
||
|
|
|
||
|
|
## Examples
|
||
|
|
|
||
|
|
iex> change_gist(gist)
|
||
|
|
%Ecto.Changeset{data: %Gist{}}
|
||
|
|
|
||
|
|
"""
|
||
|
|
def change_gist(%Gist{} = gist, attrs \\ %{}) do
|
||
|
|
Gist.changeset(gist, attrs)
|
||
|
|
end
|
||
|
|
end
|