funcion/refactor-general #45

Open
atasistro wants to merge 111 commits from funcion/refactor-general into master
80 changed files with 1957 additions and 1295 deletions

View file

@ -14,10 +14,8 @@ use Illuminate\Support\Facades\Log;
class GrupoDeCompra extends Model class GrupoDeCompra extends Model
{ {
public $timestamps = false; protected $fillable = ["nombre", "region", "devoluciones_habilitadas"];
protected $fillable = ["nombre", "region", "telefono", "correo", "referente_finanzas", "cantidad_de_nucleos", "fila", "devoluciones_habilitadas"];
protected $table = 'grupos_de_compra'; protected $table = 'grupos_de_compra';
protected $hidden = ['password'];
public function subpedidos(): HasMany public function subpedidos(): HasMany
{ {

View file

@ -3,14 +3,12 @@
namespace App\Helpers; namespace App\Helpers;
use App\Producto; use App\Producto;
use App\Proveedor;
use App\CanastaLog; use App\CanastaLog;
use DatabaseSeeder; use DatabaseSeeder;
use Illuminate\Support\Arr; use Illuminate\Support\Arr;
use Illuminate\Support\Facades\DB; use Illuminate\Support\Facades\DB;
use Illuminate\Support\Str; use Illuminate\Support\Str;
class CanastaHelper class CanastaHelper
{ {
const TIPO = "Tipo"; const TIPO = "Tipo";
@ -39,58 +37,38 @@ class CanastaHelper
$categoria = ''; $categoria = '';
foreach($registros as $i => $registro) { foreach($registros as $i => $registro) {
// saltear filas que no tienen tipo // saltear bono de transporte y filas que no tienen tipo
if (self::noTieneTipo($registro)) { if (self::noTieneTipo($registro) || $registro[self::TIPO] == "T")
var_dump("no hay tipo en la fila " . $i);
continue; continue;
}
// saltear bono de transporte
if ($registro[self::TIPO] == "T"){
continue;
}
// obtener categoria si no hay producto // obtener categoria si no hay producto
if ($registro[self::PRODUCTO] == '') { if ($registro[self::PRODUCTO] == '') {
// no es la pregunta de la copa? // no es la pregunta de la copa?
if (!Str::contains($registro[self::TIPO],"¿")) if (!Str::contains($registro[self::TIPO],"¿"))
$categoria = $registro[self::TIPO]; $categoria = $registro[self::TIPO];
continue; continue; // saltear si es la pregunta de la copa
} }
// completar producto // completar producto
$toInsert[] = [ $toInsert[] = DatabaseSeeder::addTimestamps([
'fila' => $i, 'fila' => $i,
'categoria' => $categoria, 'categoria' => $categoria,
'nombre' => trim(str_replace('*', '',$registro[self::PRODUCTO])), 'nombre' => trim(str_replace('*', '',$registro[self::PRODUCTO])),
'precio' => $registro[self::PRECIO], 'precio' => $registro[self::PRECIO],
'proveedor_id' => self::obtenerProveedor($registro[self::PRODUCTO]), 'es_solidario' => Str::contains($registro[self::PRODUCTO],"*"),
'bono' => preg_match(self::REGEX_BONO, $registro[self::TIPO]), 'bono' => preg_match(self::REGEX_BONO, $registro[self::TIPO]),
'requiere_notas'=> $registro[self::TIPO] == self::PRODUCTO_TALLE_COLOR, 'requiere_notas'=> $registro[self::TIPO] == self::PRODUCTO_TALLE_COLOR,
]; ]);
} }
foreach (array_chunk($toInsert,DatabaseSeeder::CHUNK_SIZE) as $chunk) { foreach (array_chunk($toInsert,DatabaseSeeder::CHUNK_SIZE) as $chunk)
DB::table('productos')->insert($chunk); Producto::insert($chunk);
}
self::agregarBonoBarrial(); self::agregarBonoBarrial();
self::log($archivo, self::CANASTA_CARGADA); self::log($archivo, self::CANASTA_CARGADA);
} }
private static function obtenerProveedor($nombre) {
$result = null;
if (Str::contains($nombre,"*")){
$result = Proveedor::firstOrCreate([
'nombre' => 'Proveedor de economía solidaria',
'economia_solidaria' => 1,
'nacional' => 1
])->id;
}
return $result;
}
/** /**
* @param $path * @param $path
* @param $descripcion * @param $descripcion
@ -122,13 +100,13 @@ class CanastaHelper
return Str::contains($c, 'BONO'); return Str::contains($c, 'BONO');
}); });
DB::table('productos')->insert([ Producto::create([
'fila' => 420, 'fila' => 420,
'nombre' => "Bono barrial", 'nombre' => "Bono barrial",
'precio' => 20, 'precio' => 20,
'categoria' => $categoria, 'categoria' => $categoria,
'bono' => 1, 'bono' => 1,
'proveedor_id' => null, 'es_solidario' => 0,
'requiere_notas'=> false, 'requiere_notas'=> false,
]); ]);
} }

View file

@ -4,6 +4,7 @@ namespace App\Http\Controllers\Api;
use App\GrupoDeCompra; use App\GrupoDeCompra;
use App\Http\Controllers\Controller; use App\Http\Controllers\Controller;
use App\Http\Resources\GrupoDeCompraReducido;
use App\Http\Resources\GrupoDeCompraResource; use App\Http\Resources\GrupoDeCompraResource;
class GrupoDeCompraController extends Controller class GrupoDeCompraController extends Controller
@ -16,4 +17,8 @@ class GrupoDeCompraController extends Controller
{ {
return new GrupoDeCompraResource($grupoDeCompra); return new GrupoDeCompraResource($grupoDeCompra);
} }
public function reducido(GrupoDeCompra $grupoDeCompra)
{
return new GrupoDeCompraReducido($grupoDeCompra);
}
} }

View file

@ -17,7 +17,7 @@ class SubpedidoController extends Controller
{ {
public function index(FiltroDeSubpedido $filtros, Request $request) public function index(FiltroDeSubpedido $filtros, Request $request)
{ {
return Subpedido::filtrar($filtros)->get(); return Subpedido::filtrar($filtros)->select('id','nombre')->get();
} }
public function indexResources(FiltroDeSubpedido $filtros, Request $request) public function indexResources(FiltroDeSubpedido $filtros, Request $request)
@ -35,7 +35,7 @@ class SubpedidoController extends Controller
$s->nombre = $validado["nombre"]; $s->nombre = $validado["nombre"];
$s->grupo_de_compra_id = $validado["grupo_de_compra_id"]; $s->grupo_de_compra_id = $validado["grupo_de_compra_id"];
$s->save(); $s->save();
return $s; return $this->show($s);
} }
protected function validateSubpedido(): array protected function validateSubpedido(): array
@ -57,7 +57,7 @@ class SubpedidoController extends Controller
// recibe request, saca producto y cantidad, valida, y pasa a syncProducto en Subpedido // recibe request, saca producto y cantidad, valida, y pasa a syncProducto en Subpedido
public function syncProductos(Subpedido $subpedido) { public function syncProductos(Subpedido $subpedido) {
if ($subpedido->aprobado) if ($subpedido->aprobado)
return new SubpedidoResource($subpedido); abort(400, "No se puede modificar un pedido aprobado.");
$valid = request()->validate([ $valid = request()->validate([
'cantidad' => ['integer','required','min:0'], 'cantidad' => ['integer','required','min:0'],
@ -80,11 +80,12 @@ class SubpedidoController extends Controller
'aprobacion' => 'required | boolean' 'aprobacion' => 'required | boolean'
]); ]);
$subpedido->toggleAprobacion($valid['aprobacion']); $subpedido->toggleAprobacion($valid['aprobacion']);
return new SubpedidoResource($subpedido); return response()->noContent();
} }
public function syncDevoluciones(Subpedido $subpedido) { public function syncDevoluciones(Subpedido $subpedido) {
if ($subpedido->aprobado) return new SubpedidoResource($subpedido); if ($subpedido->aprobado)
abort(400, "No se puede modificar un pedido aprobado.");
$valid = request()->validate([ $valid = request()->validate([
'total' => 'required|min:0', 'total' => 'required|min:0',

View file

@ -6,7 +6,6 @@ use App\Http\Controllers\Controller;
use App\Providers\RouteServiceProvider; use App\Providers\RouteServiceProvider;
use Illuminate\Foundation\Auth\AuthenticatesUsers; use Illuminate\Foundation\Auth\AuthenticatesUsers;
use Illuminate\Http\Request; use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
class LoginController extends Controller class LoginController extends Controller
{ {
@ -31,14 +30,7 @@ class LoginController extends Controller
protected function authenticated(Request $request, $user) protected function authenticated(Request $request, $user)
{ {
if ($user->is_compras) { return redirect('/');
return redirect('compras/pedidos');
} else if ($user->is_admin) {
session(['admin_gdc' => $user->grupo_de_compra_id]);
return redirect('admin/pedidos');
} else {
return redirect('/');
}
} }
/** /**

View file

@ -0,0 +1,34 @@
<?php
namespace App\Http\Controllers;
use App\UserRole;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
class RouteController extends Controller
{
function home(Request $request) {
if (!Auth::check())
return redirect('/login');
$barrio = UserRole::where('nombre', 'barrio')->first();
$admin = UserRole::where('nombre', 'admin_barrio')->first();
$comision = UserRole::where('nombre', 'comision')->first();
switch ($request->user()->role_id) {
case $barrio->id:
return redirect('/pedido');
case $admin->id:
return redirect('/admin');
case $comision->id:
return redirect('/compras');
default:
abort(400, 'Rol de usuario invalido');
}
}
function main(Request $request) {
return view('main');
}
}

View file

@ -0,0 +1,25 @@
<?php
namespace App\Http\Controllers;
use App\Subpedido;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
use Illuminate\Validation\Rule;
class SessionController extends Controller
{
public function store(Request $request) {
$grupo_de_compra_id = Auth::user()->grupo_de_compra_id;
$validated = $request->validate([
'id' => 'required',
Rule::in(Subpedido::where('grupo_de_compra_id', $grupo_de_compra_id)->pluck('id')),
]);
session()->put('pedido_id', $validated["id"]);
return response()->noContent();
}
public function fetch() {
return session('pedido_id');
}
}

View file

@ -0,0 +1,37 @@
<?php
namespace App\Http\Controllers;
use App\GrupoDeCompra;
use App\Http\Resources\GrupoDeCompraReducido;
use App\Http\Resources\GrupoDeCompraResource;
use App\UserRole;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
class UserController extends Controller
{
public function rol(Request $request) {
return ["rol" => UserRole::find($request->user()->role_id)->nombre];
}
public function grupoDeCompra(Request $request)
{
$user = Auth::user();
$result = [ 'grupo_de_compra' => null, ];
$grupo_de_compra = GrupoDeCompra::find($user->grupo_de_compra_id);
switch (UserRole::findOrFail($user->role_id)->nombre) {
case 'barrio':
$result['grupo_de_compra'] = new GrupoDeCompraReducido($grupo_de_compra);
break;
case 'admin_barrio':
$result['grupo_de_compra'] = new GrupoDeCompraResource($grupo_de_compra);
break;
case 'comision':
break;
default:
abort(400, 'Rol invalido.');
}
return $result;
}
}

View file

@ -2,6 +2,7 @@
namespace App\Http; namespace App\Http;
use App\Http\Middleware\CheckRole;
use Illuminate\Foundation\Http\Kernel as HttpKernel; use Illuminate\Foundation\Http\Kernel as HttpKernel;
use Laravel\Sanctum\Http\Middleware\EnsureFrontendRequestsAreStateful; use Laravel\Sanctum\Http\Middleware\EnsureFrontendRequestsAreStateful;
@ -58,6 +59,7 @@ class Kernel extends HttpKernel
'auth' => \App\Http\Middleware\Authenticate::class, 'auth' => \App\Http\Middleware\Authenticate::class,
'admin' => \App\Http\Middleware\Admin::class, 'admin' => \App\Http\Middleware\Admin::class,
'compras' => \App\Http\Middleware\Compras::class, 'compras' => \App\Http\Middleware\Compras::class,
'role' => \App\Http\Middleware\CheckRole::class,
'auth.basic' => \Illuminate\Auth\Middleware\AuthenticateWithBasicAuth::class, 'auth.basic' => \Illuminate\Auth\Middleware\AuthenticateWithBasicAuth::class,
'bindings' => \Illuminate\Routing\Middleware\SubstituteBindings::class, 'bindings' => \Illuminate\Routing\Middleware\SubstituteBindings::class,
'cache.headers' => \Illuminate\Http\Middleware\SetCacheHeaders::class, 'cache.headers' => \Illuminate\Http\Middleware\SetCacheHeaders::class,

View file

@ -1,20 +0,0 @@
<?php
namespace App\Http\Middleware;
use Closure;
use Illuminate\Support\Facades\Auth;
use Illuminate\Http\Request;
class Admin
{
public function handle(Request $request, Closure $next)
{
$user = Auth::user();
if ($user->is_admin) {
return $next($request);
} else {
return response('Necesitás ser admin para hacer esto', 403);
}
}
}

View file

@ -14,7 +14,12 @@ class Authenticate extends Middleware
*/ */
protected function redirectTo($request) protected function redirectTo($request)
{ {
if (! $request->expectsJson()) { if (!$request->expectsJson()) {
$path = $request->path();
if (preg_match('~^admin.*~i', $path))
return route('admin.login');
if (preg_match('~^compras.*~i', $path))
return route('compras.login');
return route('login'); return route('login');
} }
} }

View file

@ -0,0 +1,25 @@
<?php
namespace App\Http\Middleware;
use App\UserRole;
use Closure;
use Illuminate\Http\Request;
class CheckRole
{
/**
* Handle the incoming request.
*
* @param Request $request
* @param Closure $next
* @param string $role
* @return mixed
*/
public function handle($request, Closure $next, $role)
{
$role_id = UserRole::where('nombre', $role)->first()->id;
return $request->user()->role_id == $role_id ? $next($request)
: response('No tenés permiso para esto.', 403);
}
}

View file

@ -1,29 +0,0 @@
<?php
namespace App\Http\Middleware;
use Closure;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
class Compras
{
/**
* Handle an incoming request.
*
* @param Request $request
* @param Closure $next
* @return mixed
*/
public function handle(Request $request, Closure $next)
{
if (!Auth::check())
return redirect()->route('compras_login.show');
if (Auth::user()->is_compras) {
return $next($request);
} else {
return response('Necesitás ser de comisión compras para hacer esto', 403);
}
}
}

View file

@ -0,0 +1,22 @@
<?php
namespace App\Http\Resources;
use Illuminate\Http\Resources\Json\JsonResource;
class GrupoDeCompraReducido extends JsonResource
{
/**
* Transform the resource into an array.
*
* @param \Illuminate\Http\Request $request
* @return array
*/
public function toArray($request): array {
return [
'id' => $this->id,
'nombre' => $this->nombre,
'devoluciones_habilitadas' => $this->devoluciones_habilitadas,
];
}
}

View file

@ -20,13 +20,8 @@ class ProductoResource extends JsonResource
'nombre' => $this->nombre, 'nombre' => $this->nombre,
'precio' => $this->precio, 'precio' => $this->precio,
'categoria' => $this->categoria, 'categoria' => $this->categoria,
'proveedor' => optional($this->proveedor)->nombre, 'economia_solidaria' => $this->es_solidario,
'economia_solidaria' => optional($this->proveedor)->economia_solidaria, 'nacional' => $this->es_solidario,
'nacional' => optional($this->proveedor)->nacional,
'imagen' => optional($this->poster)->url(),
'descripcion' => $this->descripcion,
'apto_veganxs' => $this->apto_veganxs,
'apto_celiacxs' => $this->apto_celiacxs,
'requiere_notas' => $this->requiere_notas, 'requiere_notas' => $this->requiere_notas,
]; ];
} }

View file

@ -15,11 +15,14 @@ class SubpedidoResource extends JsonResource
*/ */
public function toArray($request): array public function toArray($request): array
{ {
$productos = $this->productos;
foreach ($productos as $producto) {
$producto['pivot']['total'] = number_format($producto->pivot->cantidad * $producto->precio, 2);
}
return [ return [
'id' => $this->id, 'id' => $this->id,
'nombre' => $this->nombre, 'nombre' => $this->nombre,
'grupo_de_compra' => $this->grupoDeCompra, 'productos' => $productos,
'productos' => $this->productos,
'aprobado' => (bool) $this->aprobado, 'aprobado' => (bool) $this->aprobado,
'total' => number_format($this->total(),2), 'total' => number_format($this->total(),2),
'total_transporte' => number_format($this->totalTransporte()), 'total_transporte' => number_format($this->totalTransporte()),

View file

@ -7,7 +7,6 @@ use App\Helpers\CsvHelper;
use App\Helpers\TransporteHelper; use App\Helpers\TransporteHelper;
use Illuminate\Database\Eloquent\Builder; use Illuminate\Database\Eloquent\Builder;
use Illuminate\Database\Eloquent\Model; use Illuminate\Database\Eloquent\Model;
use Illuminate\Database\Eloquent\Relations\BelongsTo;
use Illuminate\Database\Eloquent\Relations\BelongsToMany; use Illuminate\Database\Eloquent\Relations\BelongsToMany;
use Illuminate\Http\Request; use Illuminate\Http\Request;
use Illuminate\Support\Collection; use Illuminate\Support\Collection;
@ -15,21 +14,14 @@ use Illuminate\Support\Facades\DB;
class Producto extends Model class Producto extends Model
{ {
public $timestamps = false; protected $fillable = ["nombre", "precio", "categoria"];
protected $fillable = ["nombre", "precio", "presentacion", "stock", "categoria"];
static int $paginarPorDefecto = 10;
public function subpedidos(): BelongsToMany public function subpedidos(): BelongsToMany
{ {
return $this->belongsToMany('App\Subpedido', 'productos_subpedidos')->withPivot(["cantidad", "notas"]); return $this->belongsToMany(Subpedido::class, 'productos_subpedidos')->withPivot(["cantidad", "notas"]);
} }
public function proveedor(): BelongsTo // Este método permite que se apliquen los filtros al hacer una request (por ejemplo, de búsqueda)
{
return $this->belongsTo('App\Proveedor');
}
//Este método permite que se apliquen los filtros al hacer una request (por ejemplo, de búsqueda)
public function scopeFiltrar($query, FiltroDeProducto $filtros): Builder public function scopeFiltrar($query, FiltroDeProducto $filtros): Builder
{ {
return $filtros->aplicar($query); return $filtros->aplicar($query);
@ -37,7 +29,7 @@ class Producto extends Model
public static function getPaginar(Request $request): int public static function getPaginar(Request $request): int
{ {
return $request->has('paginar') && intval($request->input('paginar')) ? intval($request->input('paginar')) : self::$paginarPorDefecto; return $request->has('paginar') && intval($request->input('paginar')) ? intval($request->input('paginar')) : self::all()->count();
} }
public static function productosFilaID() public static function productosFilaID()

View file

@ -1,18 +0,0 @@
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Database\Eloquent\Relations\HasMany;
class Proveedor extends Model
{
public $timestamps = false;
protected $fillable = [ "nombre","direccion","telefono","correo","comentario" ];
protected $table = 'proveedores';
public function productos(): HasMany
{
return $this->hasMany('App\Producto');
}
}

View file

@ -12,17 +12,16 @@ use App\Filtros\FiltroDeSubpedido;
class Subpedido extends Model class Subpedido extends Model
{ {
public $timestamps = false;
protected $fillable = ['grupo_de_compra_id', 'aprobado', 'nombre', 'devoluciones_total', 'devoluciones_notas']; protected $fillable = ['grupo_de_compra_id', 'aprobado', 'nombre', 'devoluciones_total', 'devoluciones_notas'];
public function productos(): BelongsToMany public function productos(): BelongsToMany
{ {
return $this->belongsToMany('App\Producto')->withPivot(["cantidad", "total", "notas"]); return $this->belongsToMany(Producto::class)->withPivot(["cantidad", "notas"]);
} }
public function grupoDeCompra(): BelongsTo public function grupoDeCompra(): BelongsTo
{ {
return $this->belongsTo('App\GrupoDeCompra'); return $this->belongsTo(GrupoDeCompra::class);
} }
// Permite que se apliquen los filtros al hacer una request (por ejemplo, de búsqueda) // Permite que se apliquen los filtros al hacer una request (por ejemplo, de búsqueda)
@ -92,7 +91,7 @@ class Subpedido extends Model
return TransporteHelper::cantidadTransporte($this->totalCentralesQuePaganTransporte()); return TransporteHelper::cantidadTransporte($this->totalCentralesQuePaganTransporte());
} }
//Actualiza el pedido, agregando o quitando del subpedido según sea necesario. Debe ser llamado desde el controlador de subpedidos, luego de validar que los parámetros $producto y $cantidad son correctos. También calcula el subtotal por producto. // Actualiza el pedido, agregando o quitando del subpedido según sea necesario. Debe ser llamado desde el controlador de subpedidos, luego de validar que los parámetros $producto y $cantidad son correctos. También calcula el subtotal por producto.
public function syncProducto(Producto $producto, int $cantidad, string $notas) public function syncProducto(Producto $producto, int $cantidad, string $notas)
{ {
if ($cantidad) { if ($cantidad) {
@ -100,7 +99,6 @@ class Subpedido extends Model
$this->productos()->syncWithoutDetaching([ $this->productos()->syncWithoutDetaching([
$producto->id => [ $producto->id => [
'cantidad' => $cantidad, 'cantidad' => $cantidad,
'total' => $cantidad * $producto->precio,
'notas' => $notas, 'notas' => $notas,
] ]
]); ]);
@ -108,11 +106,15 @@ class Subpedido extends Model
//si la cantidad es 0, se elimina el producto del subpedido //si la cantidad es 0, se elimina el producto del subpedido
$this->productos()->detach($producto->id); $this->productos()->detach($producto->id);
} }
$this->updated_at = now();
$this->save();
} }
public function toggleAprobacion(bool $aprobacion) public function toggleAprobacion(bool $aprobacion)
{ {
$this->aprobado = $aprobacion; $this->aprobado = $aprobacion;
$this->update(['aprobado' => $aprobacion]);
$this->save(); $this->save();
} }

View file

@ -16,7 +16,7 @@ class User extends Authenticatable
* @var array * @var array
*/ */
protected $fillable = [ protected $fillable = [
'name', 'email', 'password', 'name', 'email', 'password', 'role_id',
]; ];
/** /**
@ -40,6 +40,6 @@ class User extends Authenticatable
public function grupoDeCompra(): BelongsTo public function grupoDeCompra(): BelongsTo
{ {
return $this->belongsTo('App\GrupoDeCompra'); return $this->belongsTo(GrupoDeCompra::class);
} }
} }

View file

@ -4,7 +4,7 @@ namespace App;
use Illuminate\Database\Eloquent\Model; use Illuminate\Database\Eloquent\Model;
class Admin extends Model class UserRole extends Model
{ {
// protected $fillable = ["nombre"];
} }

View file

@ -0,0 +1,41 @@
<?php
use App\UserRole;
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Schema;
class CreateUserRolesTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('user_roles', function (Blueprint $table) {
$table->id();
$table->string('nombre');
$table->timestamps();
});
$tipos = ["barrio", "admin_barrio", "comision"];
foreach ($tipos as $tipo) {
UserRole::create([
"nombre" => $tipo,
]);
}
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('user_roles');
}
}

View file

@ -0,0 +1,43 @@
<?php
use App\User;
use App\UserRole;
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class AgregarRolAUser extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::table('users', function (Blueprint $table) {
$table->foreignId('role_id');
});
$barrio = UserRole::where('nombre', 'barrio')->first();
$admin_barrio = UserRole::where('nombre', 'admin_barrio')->first();
$comision = UserRole::where('nombre', 'comision')->first();
User::all()->each(function($user) use ($barrio, $comision, $admin_barrio) {
$user->role_id = $user->is_admin ? $admin_barrio->id :
($user->is_compras ? $comision->id : $barrio->id);
$user->save();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::table('user', function (Blueprint $table) {
$table->dropForeign('role_id');
});
}
}

View file

@ -0,0 +1,43 @@
<?php
use App\User;
use App\UserRole;
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class SimplificarUsers extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::table('users', function (Blueprint $table) {
$table->dropColumn(['is_admin', 'is_compras']);
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::table('users', function (Blueprint $table) {
$table->boolean('is_admin')->default(false);
$table->boolean('is_compras')->default(false);
});
$admin_barrio = UserRole::where('nombre', 'admin_barrio')->first();
$comision = UserRole::where('nombre', 'comision')->first();
foreach (User::all() as $user) {
$user->is_admin = $user->role_id == $admin_barrio->id;
$user->is_compras = $user->role_id == $comision->id;
$user->save();
}
}
}

View file

@ -0,0 +1,40 @@
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class SimplificarBarrios extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::table('grupos_de_compra', function (Blueprint $table) {
$table->dropColumn([
'cantidad_de_nucleos',
'telefono',
'correo',
'referente_finanzas',
]);
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::table('grupos_de_compra', function (Blueprint $table) {
$table->double('cantidad_de_nucleos');
$table->string('telefono');
$table->string('correo');
$table->string('referente_finanzas');
});
}
}

View file

@ -0,0 +1,44 @@
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class SimplificarProductos extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::table('productos', function (Blueprint $table) {
$table->dropColumn([
'presentacion',
'stock',
'imagen_id',
'descripcion',
'apto_veganxs',
'apto_celiacxs',
]);
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::table('productos', function (Blueprint $table) {
$table->integer('presentacion')->nullable();
$table->integer('stock')->nullable();
$table->foreignId('imagen_id')->nullable();
$table->string('descripcion')->nullable();
$table->boolean('apto_veganxs')->nullable();
$table->boolean('apto_celiacxs')->nullable();
});
}
}

View file

@ -0,0 +1,32 @@
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class SimplificarProductoSubpedido extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::table('producto_subpedido', function (Blueprint $table) {
$table->dropColumn('total');
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::table('producto_subpedido', function (Blueprint $table) {
$table->double('total');
});
}
}

View file

@ -0,0 +1,38 @@
<?php
use App\Producto;
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class AgregarEsSolidario extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::table('productos', function (Blueprint $table) {
$table->boolean('es_solidario')->default(false);
});
foreach (Producto::all() as $producto) {
$producto->es_solidario = $producto->proveedor_id != null;
$producto->save();
}
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::table('productos', function (Blueprint $table) {
$table->dropColumn('es_solidario');
});
}
}

View file

@ -0,0 +1,59 @@
<?php
use App\Producto;
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Schema;
class EliminarProveedor extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::table('productos', function (Blueprint $table) {
$table->dropColumn('proveedor_id');
});
Schema::dropIfExists('proveedores');
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::create('proveedores', function (Blueprint $table) {
$table->id();
$table->string('nombre');
$table->string('direccion')->nullable();
$table->string('telefono')->nullable();
$table->string('correo')->nullable();
$table->boolean('economia_solidaria')->nullable();
$table->boolean('nacional')->nullable();
$table->text('detalles_de_pago')->nullable();
$table->text('comentario')->nullable();
$table->timestamps();
});
Schema::table('productos', function (Blueprint $table) {
$table->foreignId('proveedor_id')->nullable();
});
$proveedor_id = DB::table('proveedores')->insertGetId([
['nombre' => 'Proveedor de economía solidaria',
'economia_solidaria' => 1,
'nacional' => 1]
]);
foreach (Producto::all() as $producto) {
$producto->proveedor_id = $producto->es_solidario ? $proveedor_id : null;
$producto->save();
}
}
}

View file

@ -0,0 +1,35 @@
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class EliminarAdmin extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::dropIfExists('admins');
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::create('admins', function (Blueprint $table) {
$table->id();
$table->string('nombre');
$table->foreignId('grupo_de_compra_id');
$table->string('email');
$table->string('contrasena');
$table->timestamps();
});
}
}

View file

@ -1,10 +1,19 @@
<?php <?php
use Illuminate\Database\Seeder; use Illuminate\Database\Seeder;
use Illuminate\Support\Facades\DB;
class DatabaseSeeder extends Seeder class DatabaseSeeder extends Seeder
{ {
const CHUNK_SIZE = 100; const CHUNK_SIZE = 100;
static function addTimestamps($object) {
$now = DB::raw('CURRENT_TIMESTAMP');
$object['created_at'] = $now;
$object['updated_at'] = $now;
return $object;
}
/** /**
* Seed the application's database. * Seed the application's database.
* *

View file

@ -1,8 +1,10 @@
<?php <?php
use App\Helpers\CsvHelper as CsvHelperAlias; use App\Helpers\CsvHelper;
use App\GrupoDeCompra;
use App\User;
use App\UserRole;
use Illuminate\Database\Seeder; use Illuminate\Database\Seeder;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Hash; use Illuminate\Support\Facades\Hash;
class GrupoDeCompraSeeder extends Seeder class GrupoDeCompraSeeder extends Seeder
@ -14,42 +16,32 @@ class GrupoDeCompraSeeder extends Seeder
*/ */
public function run() public function run()
{ {
$registros = CsvHelperAlias::getRecords('csv/barrios.csv'); $registros = CsvHelper::getRecords('csv/barrios.csv');
$gdcToInsert = []; $gdcToInsert = [];
$usersToInsert = []; $usersToInsert = [];
$roles = UserRole::where('nombre', 'barrio')->orWhere('nombre', 'admin_barrio')->get();
foreach($registros as $key => $registro){ foreach($registros as $key => $registro){
$gdcToInsert[] = [ $gdcToInsert[] = DatabaseSeeder::addTimestamps([
'nombre' => $registro['barrio'], 'nombre' => $registro['barrio'],
'region' => $registro['region'], 'region' => $registro['region'],
'telefono' => $registro['telefono'], ]);
'correo' => $registro['correo'],
'referente_finanzas' => $registro['referente']
];
$usersToInsert[] = [ foreach($roles as $role) {
'name' => $registro['barrio'], $nombre = $registro['barrio'] . ($role->nombre == 'barrio' ? '' : '_admin');
'password' => Hash::make("123"), $usersToInsert[] = DatabaseSeeder::addTimestamps([
"is_admin" => 0, 'name' => $nombre,
'grupo_de_compra_id' => $key 'password' => Hash::make("123"),
]; 'role_id' => $role->id,
'grupo_de_compra_id' => $key,
$usersToInsert[] = [ ]);
'name' => $registro['barrio'] . "_admin", }
'password' => Hash::make("123"),
"is_admin" => 1,
'grupo_de_compra_id' => $key
];
} }
foreach (array_chunk($gdcToInsert,DatabaseSeeder::CHUNK_SIZE) as $chunk) foreach (array_chunk($gdcToInsert,DatabaseSeeder::CHUNK_SIZE) as $chunk)
{ GrupoDeCompra::insert($chunk);
DB::table('grupos_de_compra')->insert($chunk);
}
foreach (array_chunk($usersToInsert,DatabaseSeeder::CHUNK_SIZE) as $chunk) foreach (array_chunk($usersToInsert,DatabaseSeeder::CHUNK_SIZE) as $chunk)
{ User::insert($chunk);
DB::table('users')->insert($chunk);
}
} }
} }

View file

@ -1,7 +1,8 @@
<?php <?php
use App\User;
use App\UserRole;
use Illuminate\Database\Seeder; use Illuminate\Database\Seeder;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Hash; use Illuminate\Support\Facades\Hash;
class UserSeeder extends Seeder class UserSeeder extends Seeder
@ -15,17 +16,14 @@ class UserSeeder extends Seeder
{ {
$usersToInsert = []; $usersToInsert = [];
$usersToInsert[] = [ $usersToInsert[] = DatabaseSeeder::addTimestamps([
'name' => 'compras', 'name' => 'comi',
'password' => Hash::make("123"), 'password' => Hash::make("123"),
'is_admin' => 0, 'role_id' => UserRole::where('nombre', 'comision')->first()->id,
'is_compras' => 1 ]);
];
foreach (array_chunk($usersToInsert,DatabaseSeeder::CHUNK_SIZE) as $chunk) foreach (array_chunk($usersToInsert,DatabaseSeeder::CHUNK_SIZE) as $chunk)
{ User::insert($chunk);
DB::table('users')->insert($chunk);
}
} }
} }

61
package-lock.json generated
View file

@ -8,7 +8,8 @@
"animate.css": "^4.1.1", "animate.css": "^4.1.1",
"bulma": "^0.9.4", "bulma": "^0.9.4",
"bulma-switch": "^2.0.4", "bulma-switch": "^2.0.4",
"bulma-toast": "^2.4.1" "bulma-toast": "^2.4.1",
"vuex": "^3.6.2"
}, },
"devDependencies": { "devDependencies": {
"axios": "^0.19.2", "axios": "^0.19.2",
@ -350,7 +351,6 @@
"version": "7.27.1", "version": "7.27.1",
"resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz", "resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz",
"integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==", "integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==",
"dev": true,
"engines": { "engines": {
"node": ">=6.9.0" "node": ">=6.9.0"
} }
@ -359,7 +359,6 @@
"version": "7.27.1", "version": "7.27.1",
"resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz", "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz",
"integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==", "integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==",
"dev": true,
"engines": { "engines": {
"node": ">=6.9.0" "node": ">=6.9.0"
} }
@ -404,7 +403,6 @@
"version": "7.27.2", "version": "7.27.2",
"resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.27.2.tgz", "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.27.2.tgz",
"integrity": "sha512-QYLs8299NA7WM/bZAdp+CviYYkVoYXlDW2rzliy3chxd1PQjej7JORuMJDJXJUb9g0TT+B99EwaVLKmX+sPXWw==", "integrity": "sha512-QYLs8299NA7WM/bZAdp+CviYYkVoYXlDW2rzliy3chxd1PQjej7JORuMJDJXJUb9g0TT+B99EwaVLKmX+sPXWw==",
"dev": true,
"dependencies": { "dependencies": {
"@babel/types": "^7.27.1" "@babel/types": "^7.27.1"
}, },
@ -1568,7 +1566,6 @@
"version": "7.27.1", "version": "7.27.1",
"resolved": "https://registry.npmjs.org/@babel/types/-/types-7.27.1.tgz", "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.27.1.tgz",
"integrity": "sha512-+EzkxvLNfiUeKMgy/3luqfsCWFRXLb7U6wNQTk60tovuckwB15B191tJWvpp4HjiQWdJkCxO3Wbvc6jlk3Xb2Q==", "integrity": "sha512-+EzkxvLNfiUeKMgy/3luqfsCWFRXLb7U6wNQTk60tovuckwB15B191tJWvpp4HjiQWdJkCxO3Wbvc6jlk3Xb2Q==",
"dev": true,
"dependencies": { "dependencies": {
"@babel/helper-string-parser": "^7.27.1", "@babel/helper-string-parser": "^7.27.1",
"@babel/helper-validator-identifier": "^7.27.1" "@babel/helper-validator-identifier": "^7.27.1"
@ -2060,7 +2057,6 @@
"version": "2.7.16", "version": "2.7.16",
"resolved": "https://registry.npmjs.org/@vue/compiler-sfc/-/compiler-sfc-2.7.16.tgz", "resolved": "https://registry.npmjs.org/@vue/compiler-sfc/-/compiler-sfc-2.7.16.tgz",
"integrity": "sha512-KWhJ9k5nXuNtygPU7+t1rX6baZeqOYLEforUPjgNDBnLicfHCoi48H87Q8XyLZOrNNsmhuwKqtpDQWjEFe6Ekg==", "integrity": "sha512-KWhJ9k5nXuNtygPU7+t1rX6baZeqOYLEforUPjgNDBnLicfHCoi48H87Q8XyLZOrNNsmhuwKqtpDQWjEFe6Ekg==",
"dev": true,
"dependencies": { "dependencies": {
"@babel/parser": "^7.23.5", "@babel/parser": "^7.23.5",
"postcss": "^8.4.14", "postcss": "^8.4.14",
@ -2075,7 +2071,6 @@
"version": "8.5.3", "version": "8.5.3",
"resolved": "https://registry.npmjs.org/postcss/-/postcss-8.5.3.tgz", "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.5.3.tgz",
"integrity": "sha512-dle9A3yYxlBSrt8Fu+IpjGT8SY8hN0mlaA6GY8t0P5PjIOZemULz/E2Bnm/2dcUOena75OTNkHI76uZBNUUq3A==", "integrity": "sha512-dle9A3yYxlBSrt8Fu+IpjGT8SY8hN0mlaA6GY8t0P5PjIOZemULz/E2Bnm/2dcUOena75OTNkHI76uZBNUUq3A==",
"dev": true,
"funding": [ "funding": [
{ {
"type": "opencollective", "type": "opencollective",
@ -4609,8 +4604,7 @@
"node_modules/csstype": { "node_modules/csstype": {
"version": "3.1.3", "version": "3.1.3",
"resolved": "https://registry.npmjs.org/csstype/-/csstype-3.1.3.tgz", "resolved": "https://registry.npmjs.org/csstype/-/csstype-3.1.3.tgz",
"integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==", "integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw=="
"dev": true
}, },
"node_modules/cyclist": { "node_modules/cyclist": {
"version": "1.0.2", "version": "1.0.2",
@ -8717,7 +8711,6 @@
"version": "3.3.11", "version": "3.3.11",
"resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.3.11.tgz", "resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.3.11.tgz",
"integrity": "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w==", "integrity": "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w==",
"dev": true,
"funding": [ "funding": [
{ {
"type": "github", "type": "github",
@ -9555,8 +9548,7 @@
"node_modules/picocolors": { "node_modules/picocolors": {
"version": "1.1.1", "version": "1.1.1",
"resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz", "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz",
"integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA=="
"dev": true
}, },
"node_modules/picomatch": { "node_modules/picomatch": {
"version": "2.3.1", "version": "2.3.1",
@ -10557,7 +10549,6 @@
"version": "2.8.8", "version": "2.8.8",
"resolved": "https://registry.npmjs.org/prettier/-/prettier-2.8.8.tgz", "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.8.8.tgz",
"integrity": "sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==", "integrity": "sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==",
"dev": true,
"optional": true, "optional": true,
"bin": { "bin": {
"prettier": "bin-prettier.js" "prettier": "bin-prettier.js"
@ -12085,7 +12076,6 @@
"version": "0.6.1", "version": "0.6.1",
"resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz",
"integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==",
"dev": true,
"engines": { "engines": {
"node": ">=0.10.0" "node": ">=0.10.0"
} }
@ -12094,7 +12084,6 @@
"version": "1.2.1", "version": "1.2.1",
"resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-1.2.1.tgz", "resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-1.2.1.tgz",
"integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==", "integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==",
"dev": true,
"engines": { "engines": {
"node": ">=0.10.0" "node": ">=0.10.0"
} }
@ -13345,7 +13334,6 @@
"resolved": "https://registry.npmjs.org/vue/-/vue-2.7.16.tgz", "resolved": "https://registry.npmjs.org/vue/-/vue-2.7.16.tgz",
"integrity": "sha512-4gCtFXaAA3zYZdTp5s4Hl2sozuySsgz4jy1EnpBHNfpMa9dK1ZCG7viqBPCwXtmgc8nHqUsAu3G4gtmXkkY3Sw==", "integrity": "sha512-4gCtFXaAA3zYZdTp5s4Hl2sozuySsgz4jy1EnpBHNfpMa9dK1ZCG7viqBPCwXtmgc8nHqUsAu3G4gtmXkkY3Sw==",
"deprecated": "Vue 2 has reached EOL and is no longer actively maintained. See https://v2.vuejs.org/eol/ for more details.", "deprecated": "Vue 2 has reached EOL and is no longer actively maintained. See https://v2.vuejs.org/eol/ for more details.",
"dev": true,
"dependencies": { "dependencies": {
"@vue/compiler-sfc": "2.7.16", "@vue/compiler-sfc": "2.7.16",
"csstype": "^3.1.0" "csstype": "^3.1.0"
@ -13463,6 +13451,14 @@
"integrity": "sha512-4gDntzrifFnCEvyoO8PqyJDmguXgVPxKiIxrBKjIowvL9l+N66196+72XVYR8BBf1Uv1Fgt3bGevJ+sEmxfZzw==", "integrity": "sha512-4gDntzrifFnCEvyoO8PqyJDmguXgVPxKiIxrBKjIowvL9l+N66196+72XVYR8BBf1Uv1Fgt3bGevJ+sEmxfZzw==",
"dev": true "dev": true
}, },
"node_modules/vuex": {
"version": "3.6.2",
"resolved": "https://registry.npmjs.org/vuex/-/vuex-3.6.2.tgz",
"integrity": "sha512-ETW44IqCgBpVomy520DT5jf8n0zoCac+sxWnn+hMe/CzaSejb/eVw2YToiXYX+Ex/AuHHia28vWTq4goAexFbw==",
"peerDependencies": {
"vue": "^2.0.0"
}
},
"node_modules/watchpack": { "node_modules/watchpack": {
"version": "1.7.5", "version": "1.7.5",
"resolved": "https://registry.npmjs.org/watchpack/-/watchpack-1.7.5.tgz", "resolved": "https://registry.npmjs.org/watchpack/-/watchpack-1.7.5.tgz",
@ -15238,14 +15234,12 @@
"@babel/helper-string-parser": { "@babel/helper-string-parser": {
"version": "7.27.1", "version": "7.27.1",
"resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz", "resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz",
"integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==", "integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA=="
"dev": true
}, },
"@babel/helper-validator-identifier": { "@babel/helper-validator-identifier": {
"version": "7.27.1", "version": "7.27.1",
"resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz", "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz",
"integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==", "integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow=="
"dev": true
}, },
"@babel/helper-validator-option": { "@babel/helper-validator-option": {
"version": "7.27.1", "version": "7.27.1",
@ -15278,7 +15272,6 @@
"version": "7.27.2", "version": "7.27.2",
"resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.27.2.tgz", "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.27.2.tgz",
"integrity": "sha512-QYLs8299NA7WM/bZAdp+CviYYkVoYXlDW2rzliy3chxd1PQjej7JORuMJDJXJUb9g0TT+B99EwaVLKmX+sPXWw==", "integrity": "sha512-QYLs8299NA7WM/bZAdp+CviYYkVoYXlDW2rzliy3chxd1PQjej7JORuMJDJXJUb9g0TT+B99EwaVLKmX+sPXWw==",
"dev": true,
"requires": { "requires": {
"@babel/types": "^7.27.1" "@babel/types": "^7.27.1"
} }
@ -16040,7 +16033,6 @@
"version": "7.27.1", "version": "7.27.1",
"resolved": "https://registry.npmjs.org/@babel/types/-/types-7.27.1.tgz", "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.27.1.tgz",
"integrity": "sha512-+EzkxvLNfiUeKMgy/3luqfsCWFRXLb7U6wNQTk60tovuckwB15B191tJWvpp4HjiQWdJkCxO3Wbvc6jlk3Xb2Q==", "integrity": "sha512-+EzkxvLNfiUeKMgy/3luqfsCWFRXLb7U6wNQTk60tovuckwB15B191tJWvpp4HjiQWdJkCxO3Wbvc6jlk3Xb2Q==",
"dev": true,
"requires": { "requires": {
"@babel/helper-string-parser": "^7.27.1", "@babel/helper-string-parser": "^7.27.1",
"@babel/helper-validator-identifier": "^7.27.1" "@babel/helper-validator-identifier": "^7.27.1"
@ -16309,7 +16301,6 @@
"version": "2.7.16", "version": "2.7.16",
"resolved": "https://registry.npmjs.org/@vue/compiler-sfc/-/compiler-sfc-2.7.16.tgz", "resolved": "https://registry.npmjs.org/@vue/compiler-sfc/-/compiler-sfc-2.7.16.tgz",
"integrity": "sha512-KWhJ9k5nXuNtygPU7+t1rX6baZeqOYLEforUPjgNDBnLicfHCoi48H87Q8XyLZOrNNsmhuwKqtpDQWjEFe6Ekg==", "integrity": "sha512-KWhJ9k5nXuNtygPU7+t1rX6baZeqOYLEforUPjgNDBnLicfHCoi48H87Q8XyLZOrNNsmhuwKqtpDQWjEFe6Ekg==",
"dev": true,
"requires": { "requires": {
"@babel/parser": "^7.23.5", "@babel/parser": "^7.23.5",
"postcss": "^8.4.14", "postcss": "^8.4.14",
@ -16321,7 +16312,6 @@
"version": "8.5.3", "version": "8.5.3",
"resolved": "https://registry.npmjs.org/postcss/-/postcss-8.5.3.tgz", "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.5.3.tgz",
"integrity": "sha512-dle9A3yYxlBSrt8Fu+IpjGT8SY8hN0mlaA6GY8t0P5PjIOZemULz/E2Bnm/2dcUOena75OTNkHI76uZBNUUq3A==", "integrity": "sha512-dle9A3yYxlBSrt8Fu+IpjGT8SY8hN0mlaA6GY8t0P5PjIOZemULz/E2Bnm/2dcUOena75OTNkHI76uZBNUUq3A==",
"dev": true,
"requires": { "requires": {
"nanoid": "^3.3.8", "nanoid": "^3.3.8",
"picocolors": "^1.1.1", "picocolors": "^1.1.1",
@ -18344,8 +18334,7 @@
"csstype": { "csstype": {
"version": "3.1.3", "version": "3.1.3",
"resolved": "https://registry.npmjs.org/csstype/-/csstype-3.1.3.tgz", "resolved": "https://registry.npmjs.org/csstype/-/csstype-3.1.3.tgz",
"integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==", "integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw=="
"dev": true
}, },
"cyclist": { "cyclist": {
"version": "1.0.2", "version": "1.0.2",
@ -21555,8 +21544,7 @@
"nanoid": { "nanoid": {
"version": "3.3.11", "version": "3.3.11",
"resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.3.11.tgz", "resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.3.11.tgz",
"integrity": "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w==", "integrity": "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w=="
"dev": true
}, },
"nanomatch": { "nanomatch": {
"version": "1.2.13", "version": "1.2.13",
@ -22207,8 +22195,7 @@
"picocolors": { "picocolors": {
"version": "1.1.1", "version": "1.1.1",
"resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz", "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz",
"integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA=="
"dev": true
}, },
"picomatch": { "picomatch": {
"version": "2.3.1", "version": "2.3.1",
@ -23060,7 +23047,6 @@
"version": "2.8.8", "version": "2.8.8",
"resolved": "https://registry.npmjs.org/prettier/-/prettier-2.8.8.tgz", "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.8.8.tgz",
"integrity": "sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==", "integrity": "sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==",
"dev": true,
"optional": true "optional": true
}, },
"private": { "private": {
@ -24290,14 +24276,12 @@
"source-map": { "source-map": {
"version": "0.6.1", "version": "0.6.1",
"resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz",
"integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g=="
"dev": true
}, },
"source-map-js": { "source-map-js": {
"version": "1.2.1", "version": "1.2.1",
"resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-1.2.1.tgz", "resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-1.2.1.tgz",
"integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==", "integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA=="
"dev": true
}, },
"source-map-resolve": { "source-map-resolve": {
"version": "0.5.3", "version": "0.5.3",
@ -25287,7 +25271,6 @@
"version": "2.7.16", "version": "2.7.16",
"resolved": "https://registry.npmjs.org/vue/-/vue-2.7.16.tgz", "resolved": "https://registry.npmjs.org/vue/-/vue-2.7.16.tgz",
"integrity": "sha512-4gCtFXaAA3zYZdTp5s4Hl2sozuySsgz4jy1EnpBHNfpMa9dK1ZCG7viqBPCwXtmgc8nHqUsAu3G4gtmXkkY3Sw==", "integrity": "sha512-4gCtFXaAA3zYZdTp5s4Hl2sozuySsgz4jy1EnpBHNfpMa9dK1ZCG7viqBPCwXtmgc8nHqUsAu3G4gtmXkkY3Sw==",
"dev": true,
"requires": { "requires": {
"@vue/compiler-sfc": "2.7.16", "@vue/compiler-sfc": "2.7.16",
"csstype": "^3.1.0" "csstype": "^3.1.0"
@ -25382,6 +25365,12 @@
"integrity": "sha512-4gDntzrifFnCEvyoO8PqyJDmguXgVPxKiIxrBKjIowvL9l+N66196+72XVYR8BBf1Uv1Fgt3bGevJ+sEmxfZzw==", "integrity": "sha512-4gDntzrifFnCEvyoO8PqyJDmguXgVPxKiIxrBKjIowvL9l+N66196+72XVYR8BBf1Uv1Fgt3bGevJ+sEmxfZzw==",
"dev": true "dev": true
}, },
"vuex": {
"version": "3.6.2",
"resolved": "https://registry.npmjs.org/vuex/-/vuex-3.6.2.tgz",
"integrity": "sha512-ETW44IqCgBpVomy520DT5jf8n0zoCac+sxWnn+hMe/CzaSejb/eVw2YToiXYX+Ex/AuHHia28vWTq4goAexFbw==",
"requires": {}
},
"watchpack": { "watchpack": {
"version": "1.7.5", "version": "1.7.5",
"resolved": "https://registry.npmjs.org/watchpack/-/watchpack-1.7.5.tgz", "resolved": "https://registry.npmjs.org/watchpack/-/watchpack-1.7.5.tgz",

View file

@ -27,6 +27,7 @@
"animate.css": "^4.1.1", "animate.css": "^4.1.1",
"bulma": "^0.9.4", "bulma": "^0.9.4",
"bulma-switch": "^2.0.4", "bulma-switch": "^2.0.4",
"bulma-toast": "^2.4.1" "bulma-toast": "^2.4.1",
"vuex": "^3.6.2"
} }
} }

126
resources/js/app.js vendored
View file

@ -5,6 +5,7 @@
*/ */
import axios from 'axios'; import axios from 'axios';
import Vue from 'vue'; import Vue from 'vue';
window.Vue = require('vue'); window.Vue = require('vue');
window.Event = new Vue(); window.Event = new Vue();
window.axios = axios; window.axios = axios;
@ -18,33 +19,18 @@ window.bulmaToast = require('bulma-toast');
* Eg. ./components/ExampleComponent.vue -> <example-component></example-component> * Eg. ./components/ExampleComponent.vue -> <example-component></example-component>
*/ */
import './components'; import './components';
import store from "./store";
/**
* Constants
*/
Vue.prototype.$rootMiga = {
nombre: "Categorías",
href: "/productos"
}
/** /**
* Global methods * Global methods
*/ */
Vue.prototype.$settearProducto = function(cantidad, id) { Vue.prototype.$toast = function (mensaje, duration = 2000) {
Event.$emit("sync-subpedido", this.cant, this.producto.id) return window.bulmaToast.toast({
} message: mensaje,
Vue.prototype.$toast = function(mensaje, duration = 2000) { duration: duration,
return window.bulmaToast.toast({ type: 'is-danger',
message: mensaje, position: 'bottom-center',
duration: duration, });
type: 'is-danger',
position: 'bottom-center',
});
}
Vue.prototype.$limpiarFloat = function(unFloat) {
return parseFloat(unFloat.replace(/,/g, ''))
}
Vue.prototype.$limpiarInt = function(unInt) {
return parseInt(unInt.replace(/,/g, ''))
} }
/** /**
@ -52,98 +38,8 @@ Vue.prototype.$limpiarInt = function(unInt) {
* the page. Then, you may begin adding components to this application * the page. Then, you may begin adding components to this application
* or customize the JavaScript scaffolding to fit your unique needs. * or customize the JavaScript scaffolding to fit your unique needs.
*/ */
const app = new Vue({ new Vue({
el: '#root', el: '#root',
data() { store,
return {
gdc: null,
pedido: null,
devoluciones: null,
}
},
computed: {
productos: function() {
return this.pedido.productos
}
},
methods: {
cantidad(producto) {
let pedido = this.productos.some(p => p.id == producto.id)
return pedido ? this.productos.find(p => p.id == producto.id).pivot.cantidad : 0
},
notas(producto) {
let pedido = this.productos.some(p => p.id == producto.id);
return pedido ? this.productos.find(p => p.id == producto.id).pivot.notas : "";
},
settearDevoluciones() {
axios.get(`/api/grupos-de-compra/${this.gdc}/devoluciones`)
.then(response => {
this.devoluciones = response.data.devoluciones;
});
}
},
mounted() {
Event.$on('obtener-sesion', () => {
axios.get('/subpedidos/obtener_sesion')
.then(response => {
if (response.data.subpedido.id) {
this.gdc = response.data.gdc;
this.settearDevoluciones();
this.pedido = response.data.subpedido.id;
axios.get('/api/subpedidos/' + this.pedido)
.then(response => {
this.pedido = response.data.data;
Event.$emit("pedido-actualizado");
});
} else {
axios.get('/admin/obtener_sesion')
.then(response => {
this.gdc = response.data.gdc
});
}
})
})
Event.$on('sync-subpedido', (cantidad, id, notas) => {
if (this.pedido.aprobado) {
this.$toast('No se puede modificar un pedido ya aprobado', 2000);
return;
}
axios.post("/api/subpedidos/" + this.pedido.id + "/sync", {
cantidad: cantidad,
producto_id: id,
notas: notas,
}).then((response) => {
this.pedido = response.data.data
this.$toast('Pedido actualizado exitosamente')
Event.$emit("pedido-actualizado");
});
});
// Actualizar monto y notas de devoluciones
Event.$on('sync-devoluciones', (total, notas) => {
if (this.pedido.aprobado) {
this.$toast('No se puede modificar un pedido ya aprobado', 2000);
return;
}
axios.post("api/subpedidos/" + this.pedido.id + "/sync_devoluciones", {
total: total,
notas: notas,
}).then((response) => {
this.pedido = response.data.data;
this.$toast('Pedido actualizado');
Event.$emit("pedido-actualizado");
});
});
Event.$on('aprobacion-subpedido', (subpedidoId, aprobado) => {
axios.post("/api/admin/subpedidos/" + subpedidoId + "/aprobacion", {
aprobacion: aprobado
}).then((response) => {
Event.$emit('sync-aprobacion', response.data.data);
this.$toast('Pedido ' + (aprobado ? 'aprobado' : 'desaprobado') + ' exitosamente')
})
})
Event.$emit('obtener-sesion')
},
}); });

View file

@ -0,0 +1,30 @@
<script>
import NavBar from "./comunes/NavBar.vue";
import { mapActions, mapState } from "vuex";
export default {
name: 'Main',
components: { NavBar },
computed: {
...mapState('login',["rol"]),
},
methods: {
...mapActions('login',["getRol"]),
},
async mounted() {
await this.getRol();
},
}
</script>
<template>
<div id="app-main">
<nav-bar></nav-bar>
<pedidos-body v-if="rol === 'barrio'"></pedidos-body>
<admin-body v-if="rol === 'admin_barrio'"></admin-body>
<compras-body v-if="rol === 'comision'"></compras-body>
</div>
</template>
<style scoped>
</style>

View file

@ -1,15 +1,11 @@
<template> <template>
<div class="block ml-3 mr-3 is-max-widescreen is-max-desktop"> <div class="block ml-3 mr-3 is-max-widescreen is-max-desktop">
<comunes-tabs-secciones :tabs="tabs" :tabInicial="tabActiva"></comunes-tabs-secciones> <tabs-secciones :tabs="tabs" :tabInicial="tabActiva"></tabs-secciones>
<div class="block" id="pedidos-seccion" <div class="block" id="pedidos-seccion"
:class="seccionActiva === 'pedidos-seccion' ? 'is-active' : 'is-hidden'"> :class="seccionActiva === 'pedidos-seccion' ? 'is-active' : 'is-hidden'">
<div class="block pb-6" id="pedidos-tabla-y-dropdown" v-if="hayPedidos"> <div class="block pb-6" id="pedidos-tabla-y-dropdown" v-if="hayPedidos">
<admin-dropdown-descargar <dropdown-descargar></dropdown-descargar>
:gdc_id="gdc.id"> <tabla-pedidos></tabla-pedidos>
</admin-dropdown-descargar>
<admin-tabla-pedidos
:gdc="this.gdc"
></admin-tabla-pedidos>
</div> </div>
<p class="has-text-centered" v-else> <p class="has-text-centered" v-else>
Todavía no hay ningún pedido para administrar. Todavía no hay ningún pedido para administrar.
@ -17,8 +13,7 @@
</div> </div>
<div class="block pb-6" id="caracteristicas-seccion" <div class="block pb-6" id="caracteristicas-seccion"
:class="seccionActiva === 'caracteristicas-seccion' ? 'is-active' : 'is-hidden'"> :class="seccionActiva === 'caracteristicas-seccion' ? 'is-active' : 'is-hidden'">
<admin-caracteristicas-opcionales> <caracteristicas-opcionales></caracteristicas-opcionales>
</admin-caracteristicas-opcionales>
</div> </div>
</div> </div>
</template> </template>
@ -29,7 +24,7 @@ import TabsSecciones from "../comunes/TabsSecciones.vue";
import DropdownDescargar from "./DropdownDescargar.vue"; import DropdownDescargar from "./DropdownDescargar.vue";
import TablaPedidos from "./TablaPedidos.vue"; import TablaPedidos from "./TablaPedidos.vue";
import TablaBonos from "./TablaBonos.vue"; import TablaBonos from "./TablaBonos.vue";
import axios from "axios"; import { mapActions, mapGetters } from "vuex";
export default { export default {
components: { components: {
CaracteristicasOpcionales, CaracteristicasOpcionales,
@ -40,7 +35,6 @@ export default {
}, },
data() { data() {
return { return {
gdc: undefined,
tabs: [{ id: "pedidos", nombre: "Pedidos" }, tabs: [{ id: "pedidos", nombre: "Pedidos" },
{ id: "caracteristicas", nombre: "Caracteristicas opcionales" }], { id: "caracteristicas", nombre: "Caracteristicas opcionales" }],
tabActiva: "pedidos", tabActiva: "pedidos",
@ -48,32 +42,17 @@ export default {
} }
}, },
computed: { computed: {
hayPedidos: function() { ...mapGetters('admin', ['hayPedidos']),
return this.gdc && this.gdc.pedidos.length !== 0
},
hayAprobados: function() {
return this.gdc && this.gdc.pedidos.filter(p => p.aprobado).length > 0
}
}, },
methods: { methods: {
...mapActions('admin', ['getGrupoDeCompra']),
setSeccionActiva(tabId) { setSeccionActiva(tabId) {
this.tabActiva = tabId; this.tabActiva = tabId;
this.seccionActiva = tabId + "-seccion"; this.seccionActiva = tabId + "-seccion";
}, },
actualizar() {
axios.get('/api/grupos-de-compra/' + this.$root.gdc)
.then(response => {
this.gdc = response.data.data;
console.log(this.gdc);
})
}
}, },
async mounted() { async mounted() {
Event.$on('sync-aprobacion', (_) => { await this.getGrupoDeCompra();
this.actualizar();
});
await new Promise(r => setTimeout(r, 1000));
this.actualizar();
}, },
} }
</script> </script>

View file

@ -8,8 +8,7 @@ export default {
caracteristicas: [ caracteristicas: [
{ {
id: "devoluciones", id: "devoluciones",
nombre: "Devoluciones", nombre: "Devoluciones"
habilitada: false
}, },
] ]
} }
@ -27,16 +26,15 @@ export default {
</tr> </tr>
</thead> </thead>
<tbody> <tbody>
<admin-fila-caracteristica <fila-caracteristica
v-for="(c,i) in caracteristicas" v-for="(c,i) in caracteristicas"
:key="i" :key="i"
:caracteristica="c"> :caracteristica="c">
</admin-fila-caracteristica> </fila-caracteristica>
</tbody> </tbody>
</table> </table>
</div> </div>
</template> </template>
<style scoped> <style scoped>
</style> </style>

View file

@ -14,13 +14,13 @@
</div> </div>
<div class="dropdown-menu" id="dropdown-menu" role="menu"> <div class="dropdown-menu" id="dropdown-menu" role="menu">
<div class="dropdown-content"> <div class="dropdown-content">
<a :href="'/admin/exportar-pedido-a-csv/' + gdc_id" class="dropdown-item has-background-primary"> <a :href="'/admin/exportar-pedido-a-csv/' + grupo_de_compra_id" class="dropdown-item has-background-primary">
Planilla para central (CSV) Planilla para central (CSV)
</a> </a>
<a :href="'/admin/exportar-planillas-a-pdf/' + gdc_id" class="dropdown-item"> <a :href="'/admin/exportar-planillas-a-pdf/' + grupo_de_compra_id" class="dropdown-item">
Planillas para armado (PDF) Planillas para armado (PDF)
</a> </a>
<a :href="'/admin/exportar-pedido-con-nucleos-a-csv/' + gdc_id" class="dropdown-item"> <a :href="'/admin/exportar-pedido-con-nucleos-a-csv/' + grupo_de_compra_id" class="dropdown-item">
Planilla completa de la canasta (CSV) Planilla completa de la canasta (CSV)
</a> </a>
</div> </div>
@ -30,27 +30,19 @@
</template> </template>
<script> <script>
import { mapGetters, mapState } from "vuex";
export default { export default {
props: {
gdc_id: {
type: Number,
required: true
},
},
data() { data() {
return { return {
dropdownActivo: false dropdownActivo: false
} };
}, },
computed: { computed: {
hayAprobados: function() { ...mapState('admin',["grupo_de_compra_id"]),
return this.$parent.hayAprobados; ...mapGetters('admin',["hayAprobados"]),
}
}, },
} }
</script> </script>
<style> <style></style>
</style>

View file

@ -1,48 +1,20 @@
<script> <script>
import axios from "axios"; import axios from "axios";
import {mapActions, mapGetters, mapState} from "vuex";
export default { export default {
props: { props: {
caracteristica: Object caracteristica: Object
}, },
data() { computed: {
return { ...mapState('admin',["grupo_de_compra_id"]),
gdc: undefined ...mapGetters('admin',["getCaracteristica"]),
habilitada() {
return this.getCaracteristica(this.caracteristica.id);
} }
}, },
watch: {
'$root.gdc' : {
handler(newValue) {
if (newValue) {
this.gdc = newValue;
this.obtenerValor();
}
}
},
},
methods: { methods: {
toggleActivacion() { ...mapActions('admin',["toggleCaracteristica"]),
const id = this.caracteristica.id;
axios.post(`/api/grupos-de-compra/${this.gdc}/${id}`)
.then(response => {
this.caracteristica.habilitada = response.data[id];
this.$root[id] = response.data[id];
});
},
obtenerValor() {
const id = this.caracteristica.id;
axios.get(`/api/grupos-de-compra/${this.gdc}/${id}`)
.then(response => {
this.caracteristica.habilitada = response.data[id];
this.$root[id] = response.data[id];
});
},
},
mounted() {
if (this.$root.gdc) {
this.gdc = this.$root.gdc;
this.obtenerValor();
}
} }
} }
</script> </script>
@ -53,17 +25,17 @@ export default {
<td> <td>
<div class="field"> <div class="field">
<input type="checkbox" class="switch is-rounded is-success" <input type="checkbox" class="switch is-rounded is-success"
:id="'switch-'+caracteristica.id" :id="'switch-' + caracteristica.id"
:checked="caracteristica.habilitada" :checked="habilitada"
@change="toggleActivacion(caracteristica)"> @change="toggleCaracteristica({ caracteristica_id: caracteristica.id })">
<label :for="'switch-'+caracteristica.id"> <label :for="'switch-' + caracteristica.id">
<span class="is-hidden-mobile">{{ caracteristica.habilitada ? 'Habilitada' : 'Deshabilitada' }}</span> <span class="is-hidden-mobile">
{{ habilitada ? 'Habilitada' : 'Deshabilitada' }}
</span>
</label> </label>
</div> </div>
</td> </td>
</tr> </tr>
</template> </template>
<style scoped> <style scoped></style>
</style>

View file

@ -1,36 +1,39 @@
<template> <template>
<tr> <tr>
<td>{{ pedido.nombre }}</td> <td>{{ pedido.nombre }}</td>
<td v-if="$root.devoluciones" class="has-text-right" >{{ pedido.total_sin_devoluciones }}</td> <td v-if="devoluciones_habilitadas" class="has-text-right" >
<td v-if="$root.devoluciones" class="has-text-right" ><abbr :title="pedido.devoluciones_notas">-{{ pedido.devoluciones_total }}</abbr></td> {{ pedido.total_sin_devoluciones }}
<td class="has-text-right" >{{ $root.devoluciones ? pedido.total : pedido.total_sin_devoluciones }}</td>
<td>
<admin-switch-aprobacion
:pedido="pedido">
</admin-switch-aprobacion>
</td> </td>
<td v-if="devoluciones_habilitadas" class="has-text-right" >
<abbr :title="pedido.devoluciones_notas">
-{{ pedido.devoluciones_total }}
</abbr>
</td>
<td class="has-text-right" >
{{ devoluciones_habilitadas ? pedido.total : pedido.total_sin_devoluciones }}
</td>
<td><switch-aprobacion :pedido_id="pedido_id"></switch-aprobacion></td>
</tr> </tr>
</template> </template>
<script> <script>
import SwitchAprobacion from "./SwitchAprobacion.vue"; import SwitchAprobacion from "./SwitchAprobacion.vue";
import { mapGetters, mapState } from "vuex";
export default { export default {
components: { components: {
SwitchAprobacion SwitchAprobacion
}, },
props: { props: {
pedido: Object pedido_id: Number
},
computed: {
...mapState('admin',["devoluciones_habilitadas"]),
...mapGetters('admin',["getPedido"]),
pedido() {
return this.getPedido(this.pedido_id);
},
}, },
mounted() {
Event.$on('sync-aprobacion', (unPedido) => {
if (this.pedido.id === unPedido.id) {
this.pedido = unPedido
}
})
}
} }
</script> </script>
<style scoped> <style scoped></style>
</style>

View file

@ -1,56 +0,0 @@
<template>
<div v-show="visible" class="block">
<div class="field">
<label class="label has-text-white">Contraseña de administración del barrio</label>
<div class="field has-addons">
<div class="control">
<input required class="input" :type="this.passwordType" name="password" placeholder="Contraseña de admin del barrio">
</div>
<div class="control">
<a class="button is-warning" @click="togglePassword">
{{ (passwordVisible ? 'Ocultar' : 'Mostrar') + ' contraseña'}}
</a>
</div>
</div>
<p class="help has-text-white">Si no la sabés, consultá a la comisión informática.</p>
</div>
<div class="field">
<div class="control">
<input type="submit" class="button is-warning" value="Ingresar"/>
</div>
</div>
</div>
</template>
<script>
export default {
data() {
return {
visible: false,
gdc: null,
passwordVisible: false,
passwordType: "password",
}
},
mounted() {
Event.$on('gdc-seleccionado', (gdc) => {
this.gdc = gdc;
this.visible = true;
});
},
methods: {
togglePassword() {
if (this.passwordVisible) this.passwordType = "password";
else this.passwordType = "text"
this.passwordVisible = !this.passwordVisible
}
}
}
</script>
<style>
.help {
font-size: 1rem;
}
</style>

View file

@ -1,46 +1,34 @@
<template> <template>
<div class="field"> <div class="field">
<input type="checkbox" name="switchRoundedSuccess" class="switch is-rounded is-success" <input type="checkbox" name="switchRoundedSuccess" class="switch is-rounded is-success"
:id="'switch'+this.pedido.id" :id="'switch' + pedido_id"
:checked="pedido.aprobado" :checked="aprobado"
@change="toggleAprobacion"> @change="setAprobacionPedido({ pedido_id: pedido_id, aprobacion: !aprobado })">
<label :for="'switch'+this.pedido.id"> <label :for="'switch' + pedido_id">
<span class="is-hidden-mobile">{{ mensaje }}</span> <span class="is-hidden-mobile">{{ mensaje }}</span>
</label> </label>
</div> </div>
</template> </template>
<script> <script>
import { mapActions, mapGetters } from "vuex";
export default { export default {
props: { props: {
pedido: Object pedido_id: Number
},
data() {
return {
aprobado: this.pedido.aprobado
}
}, },
computed: { computed: {
mensaje: function () { ...mapGetters('admin', ["getPedido"]),
return this.aprobado ? "Pagado" : "No pagado" aprobado() {
return this.getPedido(this.pedido_id).aprobado;
},
mensaje() {
return this.aprobado ? "Pagado" : "No pagado";
} }
}, },
methods: { methods: {
toggleAprobacion() { ...mapActions('admin',["setAprobacionPedido"]),
Event.$emit('aprobacion-subpedido', this.pedido.id, !this.aprobado);
this.aprobado = !this.aprobado
}
}, },
mounted() {
Event.$on('sync-aprobacion', (unPedido) => {
if (this.pedido.id === unPedido.id) {
this.pedido = unPedido
}
})
}
} }
</script> </script>
<style scoped> <style scoped></style>
</style>

View file

@ -4,17 +4,18 @@
<thead> <thead>
<tr> <tr>
<th>Núcleo</th> <th>Núcleo</th>
<th v-if="$root.devoluciones"><abbr title="Total sin tomar en cuenta las devoluciones">Total parcial $</abbr></th> <th v-if="devoluciones_habilitadas"><abbr title="Total sin tomar en cuenta las devoluciones">Total parcial $</abbr></th>
<th v-if="$root.devoluciones"><abbr title="Devoluciones correspondientes al núcleo">Devoluciones $</abbr></th> <th v-if="devoluciones_habilitadas"><abbr title="Devoluciones correspondientes al núcleo">Devoluciones $</abbr></th>
<th><abbr title="Total a Pagar por el núleo">{{ $root.devoluciones ? 'Total real' : 'Total' }} $</abbr></th> <th><abbr title="Total a Pagar por el núleo">{{ devoluciones_habilitadas ? 'Total real' : 'Total' }} $</abbr></th>
<th class="is-1"><abbr title="Pagado">Pagado</abbr></th> <th class="is-1"><abbr title="Pagado">Pagado</abbr></th>
</tr> </tr>
</thead> </thead>
<tbody> <tbody>
<admin-fila-pedido <fila-pedido
v-for="pedido in gdc.pedidos" v-for="pedido in pedidos"
:pedido="pedido" :key="pedido.id"> :pedido_id="pedido.id"
</admin-fila-pedido> :key="pedido.id">
</fila-pedido>
</tbody> </tbody>
</table> </table>
<table class="table is-striped is-bordered"> <table class="table is-striped is-bordered">
@ -23,27 +24,27 @@
</tr> </tr>
<tr> <tr>
<th>Total a recaudar:</th> <th>Total a recaudar:</th>
<td class="has-text-right">$ {{ gdc.total_a_recaudar }}</td> <td class="has-text-right">$ {{ total_a_recaudar }}</td>
</tr> </tr>
<tr> <tr>
<th>Total bonos barriales:</th> <th>Total bonos barriales:</th>
<td class="has-text-right">$ {{ gdc.total_barrial }}</td> <td class="has-text-right">$ {{ total_barrial }}</td>
</tr> </tr>
<tr v-if="$root.devoluciones"> <tr v-if="devoluciones_habilitadas">
<th>Total devoluciones:</th> <th>Total devoluciones:</th>
<td class="has-text-right">- $ {{ gdc.total_devoluciones }}</td> <td class="has-text-right">- $ {{ total_devoluciones }}</td>
</tr> </tr>
<tr> <tr>
<th>Cantidad bonos de transporte:</th> <th>Cantidad bonos de transporte:</th>
<td class="has-text-right">{{ gdc.cantidad_transporte }}</td> <td class="has-text-right">{{ cantidad_transporte }}</td>
</tr> </tr>
<tr> <tr>
<th>Total bonos de transporte:</th> <th>Total bonos de transporte:</th>
<td class="has-text-right">$ {{ gdc.total_transporte }}</td> <td class="has-text-right">$ {{ total_transporte }}</td>
</tr> </tr>
<tr> <tr>
<th>Total a depositar:</th> <th>Total a depositar:</th>
<td class="has-text-right">$ {{ gdc.total_a_transferir }}</td> <td class="has-text-right">$ {{ total_a_transferir }}</td>
</tr> </tr>
</table> </table>
</div> </div>
@ -51,19 +52,25 @@
<script> <script>
import FilaPedido from "./FilaPedido.vue"; import FilaPedido from "./FilaPedido.vue";
import { mapGetters, mapState } from "vuex";
export default { export default {
components: { components: {
FilaPedido FilaPedido
}, },
props: { computed: {
gdc: { ...mapState('admin', [
type: Object, "devoluciones_habilitadas",
required: true "pedidos",
} "total_a_recaudar",
} "total_barrial",
"total_devoluciones",
"cantidad_transporte",
"total_transporte",
"total_a_transferir",
]),
...mapGetters('admin', ['pedidosAprobados']),
},
} }
</script> </script>
<style> <style></style>
</style>

View file

@ -1,13 +1,19 @@
<template> <template>
<div v-show="visible" class="block"> <div v-if="region_elegida !== null" class="block">
<div class="field"> <div class="field">
<label class="label" :class="isAdmin ? 'has-text-white' : ''">Seleccioná tu barrio o grupo de compra</label> <label class="label" :class="adminUrl ? 'has-text-white' : ''">
Seleccioná tu barrio o grupo de compra
</label>
<div class="control"> <div class="control">
<div class="select"> <div class="select">
<select @change="onGDCSelected" v-model="gdc" name="name"> <select @change="selectGrupoDeCompra({ grupo_de_compra: barrio })" v-model="barrio">
<option :disabled="isDefaultDisabled==1" value=null>Seleccionar</option> <option :disabled="grupo_de_compra_elegido !== null" value=null>
<option v-for="(gdc, index) in gdcs" :key="index" v-text="gdc.nombre + (isAdmin ? '_admin' : '')" Seleccionar
:name="gdc.nombre + (isAdmin ? '_admin' : '')"> </option>
<option v-for="(gdc, index) in grupos_de_compra"
:key="index"
v-text="gdc.nombre"
:name="gdc.nombre">
</option> </option>
</select> </select>
</div> </div>
@ -17,35 +23,24 @@
</template> </template>
<script> <script>
export default { import { mapActions, mapGetters, mapMutations, mapState } from "vuex";
data() { export default {
return { name: 'BarrioSelect',
visible: false, async mounted() {
region: null, await this.getRegiones();
gdcs: [], },
isDefaultDisabled: 0, methods: {
gdc: null, ...mapMutations('login',["selectGrupoDeCompra"]),
isAdmin: this.admin == null ? false : this.admin ...mapActions('login',["getRegiones", "getGruposDeCompra"]),
} },
}, computed: {
mounted() { ...mapState('login',["region_elegida","grupos_de_compra","grupo_de_compra_elegido"]),
Event.$on('region-seleccionada', (region)=> { ...mapGetters('login',["adminUrl"]),
this.region = region; },
this.fillGDC(region); data() {
this.visible = true; return {
}); barrio: null,
}, };
methods : { },
fillGDC(region) { }
axios.get("/api/grupos-de-compra").then(response => {
this.gdcs = response.data[this.region];
});
},
onGDCSelected() {
this.isDefaultDisabled = 1;
Event.$emit("gdc-seleccionado",this.gdc);
}
},
props: {'admin': Boolean}
}
</script> </script>

View file

@ -0,0 +1,57 @@
<template>
<div v-if="grupo_de_compra_elegido !== null" class="block">
<div class="field">
<label class="label"
:class="adminUrl ? 'has-text-white' : ''">{{ mensajes.mensaje }}</label>
<div class="field has-addons">
<div class="control">
<input required class="input" :type="this.passwordType" name="password" :placeholder="mensajes.mensaje">
</div>
<div class="control">
<a class="button is-warning" @click="togglePassword">
{{ (passwordVisible ? 'Ocultar' : 'Mostrar') + ' contraseña'}}
</a>
</div>
</div>
<p class="help"
:class="adminUrl ? 'has-text-white' : ''">{{ mensajes.ayuda }}</p>
</div>
<div class="field">
<div class="control">
<input type="submit" class="button is-warning" value="Log in"/>
</div>
</div>
</div>
</template>
<script>
import { mapGetters, mapState } from "vuex";
export default {
name: 'Login',
data() {
return {
passwordVisible: false,
passwordType: "password",
}
},
computed: {
...mapState('login',["grupo_de_compra_elegido"]),
...mapGetters('login',["adminUrl","mensajes"]),
},
methods: {
togglePassword() {
if (this.passwordVisible) this.passwordType = "password";
else this.passwordType = "text"
this.passwordVisible = !this.passwordVisible
}
}
}
</script>
<style>
.help {
font-size: 1rem;
}
</style>

View file

@ -0,0 +1,35 @@
<template>
<div class="block">
<barrio-select></barrio-select>
<login></login>
<input readonly v-model="nombre" type="hidden" name="name">
</div>
</template>
<script>
import {mapActions, mapGetters, mapState} from "vuex";
import BarrioSelect from "./BarrioSelect.vue";
import Login from "./Login.vue";
export default {
components: {
BarrioSelect,
Login,
},
async mounted() {
await this.getRegiones();
},
computed: {
...mapGetters('login',["adminUrl"]),
...mapState('login',["grupo_de_compra_elegido"]),
nombre() {
return `${this.grupo_de_compra_elegido}${this.adminUrl ? '_admin' : ''}`;
}
},
methods: {
...mapActions('login',["getRegiones"]),
},
}
</script>
<style scoped></style>

View file

@ -1,91 +1,110 @@
<template> <template>
<nav id="nav-bar" class="navbar is-danger is-fixed-top" role="navigation" aria-label="main navigation"> <nav id="nav-bar" class="navbar is-danger is-fixed-top" role="navigation" aria-label="main navigation">
<div class="navbar-brand"> <div class="navbar-brand">
<a class="navbar-item" href="https://mps.org.uy"> <a class="navbar-item" href="https://mps.org.uy">
<img src="/assets/logoMPS.png" height="28"> <img src="/assets/logoMPS.png" height="28">
</a> </a>
<!-- Styles nombre del barrio--> <div class="navbar-item" id="datos-pedido" v-if="pedidoDefinido">
<p class="navbar-item hide-below-1024"> <p class="hide-below-1024">
<slot name="gdc"></slot> {{ `Núcleo: ${nombre} - Barrio: ${grupo_de_compra}` }}
</p> </p>
<p class="navbar-item"> </div>
<slot name="subpedido"></slot> <chismosa-dropdown
</p> v-if="pedidoDefinido"
<pedidos-chismosa-dropdown v-if="this.$root.pedido != null" class="hide-above-1023" id="mobile"></pedidos-chismosa-dropdown> class="hide-above-1023"
<a role="button" class="navbar-burger" :class="{'is-active':burgerActiva}" aria-label="menu" aria-expanded="false" data-target="nav-bar" @click="toggleBurger"> ariaControls="mobile">
<span aria-hidden="true"></span> </chismosa-dropdown>
<span aria-hidden="true"></span> <a role="button" class="navbar-burger" :class="{'is-active':burgerActiva}" aria-label="menu"
<span aria-hidden="true"></span> aria-expanded="false" data-target="nav-bar" @click="toggleBurger">
</a> <span aria-hidden="true"></span>
</div> <span aria-hidden="true"></span>
<div class="navbar-menu" :class="{'is-active':burgerActiva}"> <span aria-hidden="true"></span>
<div class="navbar-end"> </a>
<div v-if="this.$root.pedido != null" class="navbar-item field has-addons mt-2 mr-3"> </div>
<a class="button is-small has-text-dark-grey" @click.capture="buscar"> <div class="navbar-menu" :class="{'is-active':burgerActiva}">
<div class="navbar-end">
<div v-if="pedidoDefinido" class="navbar-item field has-addons mt-2 mr-3">
<a class="button is-small has-text-dark-grey" @click.capture="buscar">
<span class="icon"> <span class="icon">
<i class="fas fa-search"></i> <i class="fas fa-search"></i>
</span> </span>
</a> </a>
<input class="input is-small" type="text" placeholder="Harina" v-model="searchString" @keyup.enter="buscar" > <input class="input is-small" type="text" placeholder="Harina" v-model="searchString"
</div> @keyup.enter="buscar">
<pedidos-chismosa-dropdown v-if="this.$root.pedido != null" class="hide-below-1024" id="wide"></pedidos-chismosa-dropdown> </div>
<div class="block navbar-item"> <chismosa-dropdown
<a onclick="event.preventDefault(); document.getElementById('logout-form').submit();" class="text-a"> v-if="pedidoDefinido"
Cerrar sesión class="hide-below-1024"
</a> ariaControls="wide">
<slot name="logout-form"></slot> </chismosa-dropdown>
<div class="block navbar-item">
<a onclick="event.preventDefault(); document.getElementById('logout-form').submit();"
class="text-a">
Cerrar sesión
</a>
<slot name="logout-form"></slot>
</div>
</div> </div>
</div> </div>
</div>
</nav> </nav>
</template> </template>
<script> <script>
import ChismosaDropdown from '../pedidos/ChismosaDropdown.vue'; import ChismosaDropdown from '../pedidos/ChismosaDropdown.vue';
import { mapActions, mapGetters, mapMutations, mapState } from "vuex";
export default { export default {
components: { ChismosaDropdown }, components: { ChismosaDropdown },
data() { data() {
return { return {
burgerActiva: false, burgerActiva: false,
searchString: "", searchString: "",
} }
}, },
methods: { computed: {
toggleBurger() { ...mapGetters('pedido', ["pedidoDefinido"]),
this.burgerActiva = !this.burgerActiva ...mapState('pedido',["nombre"]),
...mapState('barrio',["grupo_de_compra"]),
},
methods: {
...mapActions('productos', ["filtrarProductos"]),
...mapMutations('ui',["addMiga"]),
toggleBurger() {
this.burgerActiva = !this.burgerActiva
},
buscar() {
if (this.burgerActiva)
this.toggleBurger();
this.filtrarProductos({ filtro: "nombre", valor: this.searchString });
this.addMiga({ nombre: this.searchString });
}
}, },
buscar() {
if (this.burgerActiva) this.toggleBurger()
Event.$emit("migas-setear-como-inicio", this.$rootMiga)
Event.$emit("filtrar-productos",'nombre',this.searchString)
}
},
}; };
</script> </script>
<style> <style>
p.navbar-item:empty { p.navbar-item:empty {
display: none; display: none;
} }
#nav-bar { #nav-bar {
z-index: 10; z-index: 10;
} }
.text-a { .text-a {
color: inherit; color: inherit;
} }
@media (max-width: 1023px) { @media (max-width: 1023px) {
.hide-below-1024 { .hide-below-1024 {
display: none !important; display: none !important;
} }
} }
@media (min-width: 1024px) { @media (min-width: 1024px) {
.hide-above-1023 { .hide-above-1023 {
display: none !important; display: none !important;
} }
} }
</style> </style>

View file

@ -1,12 +1,20 @@
<template> <template>
<div class="block"> <div class="block">
<div class="field"> <div class="field">
<label class="label" :class="whiteText ? 'has-text-white' : ''">Seleccioná tu región</label> <label class="label" :class="adminUrl ? 'has-text-white' : ''">
Seleccioná tu región
</label>
<div class="control"> <div class="control">
<div class="select"> <div class="select">
<select @change="onRegionSelected" v-model="region"> <select @change="selectRegion({ region })" v-model="region">
<option :disabled="isDefaultDisabled===1" value=null>Seleccionar</option> <option :disabled="region_elegida !== null" value=null>
<option v-for="(region, index) in regiones" :key="index" v-text="region" :name="region"></option> Seleccionar
</option>
<option v-for="(region, index) in regiones"
:key="index"
v-text="region"
:name="region">
</option>
</select> </select>
</div> </div>
</div> </div>
@ -15,24 +23,22 @@
</template> </template>
<script> <script>
export default { import {mapActions, mapGetters, mapState} from "vuex";
data() { export default {
return { async mounted() {
regiones: [], await this.getRegiones();
isDefaultDisabled: 0, },
region: null, data() {
whiteText: this.admin == null ? false : this.admin return {
} region: null,
}, };
mounted() { },
axios.get("/api/regiones").then(response => this.regiones = response.data); methods: {
}, ...mapActions('login',["getRegiones","selectRegion"]),
methods: { },
onRegionSelected() { computed: {
this.isDefaultDisabled = 1; ...mapState('login',["regiones","region_elegida"]),
Event.$emit("region-seleccionada",this.region); ...mapGetters('login',["adminUrl"]),
} }
}, }
props: {'admin': Boolean}
}
</script> </script>

View file

@ -1,22 +1,29 @@
<template> <template>
<div class="columns ml-3 mr-3"> <div id="pedidos-body">
<pedidos-categorias-container :class="chismosaActiva ? 'hide-below-1024' : ''"></pedidos-categorias-container> <cartel-pedido-aprobado></cartel-pedido-aprobado>
<pedidos-productos-container :class="chismosaActiva ? 'hide-below-1024' : ''"></pedidos-productos-container> <pedido-select-section v-if="!pedidoDefinido"></pedido-select-section>
<pedidos-chismosa v-show="chismosaActiva"></pedidos-chismosa> <pedido v-else></pedido>
</div> </div>
</template> </template>
<script> <script>
export default { import { mapActions, mapGetters } from "vuex";
data() { import PedidoSelectSection from "./PedidoSelectSection.vue";
return { import Pedido from "./Pedido.vue";
chismosaActiva: false, import CartelPedidoAprobado from "./CartelPedidoAprobado.vue";
}
}, export default {
mounted() { components: { CartelPedidoAprobado, Pedido, Productos: Pedido, PedidoSelectSection },
Event.$on('toggle-chismosa', (activa) => { computed: {
this.chismosaActiva = activa; ...mapGetters('pedido',["pedidoDefinido"]),
}); },
}, methods: {
...mapActions('productos',["init"]),
...mapActions('pedido',["getSesion"]),
},
async mounted() {
await this.init();
await this.getSesion();
} }
}
</script> </script>

View file

@ -1,32 +1,19 @@
<template> <template>
<div v-show="aprobado" class="notification is-warning has-text-centered"> <div v-if="aprobado" class="notification is-warning has-text-centered">
Tu pedido fue <strong>aprobado</strong>, por lo que no puede ser modificado Tu pedido fue <strong>aprobado</strong>, por lo que no puede ser modificado
</div> </div>
</template> </template>
<script> <script>
export default { import { mapState } from "vuex";
data() {
return { export default {
aprobado: false, name: 'CartelPedidoAprobado',
} computed: {
}, ...mapState('pedido',["aprobado"]),
mounted() {
Event.$on('pedido-actualizado', this.actualizarEstado);
if (this.$root.pedido != null) {
this.actualizarEstado();
}
},
methods: {
pedidoAprobado: function() {
return this.$root.pedido.aprobado;
},
actualizarEstado: function() {
this.aprobado = this.pedidoAprobado();
},
},
} }
}
</script> </script>
<style> <style>
</style> </style>

View file

@ -1,41 +1,39 @@
<template> <template>
<div v-show="visible" class="column"> <div v-show="visible" class="column">
<div class="columns is-multiline is-mobile"> <div class="columns is-multiline is-mobile">
<div v-for="(categoria,i) in categorias" :key="i" class="block column is-one-quarter-desktop is-one-third-tablet is-half-mobile"> <div v-for="(categoria,i) in categorias" :key="i"
<div @click.capture="seleccionarCategoria(categoria)" class="card" style="height:100%" > class="block column is-one-quarter-desktop is-one-third-tablet is-half-mobile">
<div class="card-content"> <div @click.capture="seleccionar(categoria)" class="card" style="height:100%">
<div class="media"> <div class="card-content">
<div class="media-content" style="overflow:hidden"> <div class="media">
<p class="title is-6" v-text="categoria"></p> <div class="media-content" style="overflow:hidden">
</div> <p class="title is-6" v-text="categoria"></p>
</div> </div>
</div> </div>
</div><!-- END CARD --> </div>
</div><!-- END BLOCK COLUMN --> </div><!-- END CARD -->
</div><!-- END COLUMNS --> </div><!-- END BLOCK COLUMN -->
</div><!-- END CONTAINER --> </div><!-- END COLUMNS -->
</div><!-- END CONTAINER -->
</template> </template>
<script> <script>
export default { import { mapActions, mapMutations, mapState } from "vuex";
data() { export default {
return { name: 'CategoriasContainer',
categorias: null, computed: {
visible: true ...mapState('productos',["categorias", "filtro"]),
} visible() {
}, return this.filtro === null;
mounted() { }
axios.get("/api/categorias").then(response => { },
this.categorias = response.data; methods: {
}); ...mapActions('productos',["seleccionarCategoria"]),
Event.$emit("migas-setear-como-inicio", this.$rootMiga); ...mapMutations('ui',["addMiga"]),
Event.$on("filtrar-productos", (_) => this.visible = false) seleccionar(categoria) {
}, this.seleccionarCategoria({ categoria: categoria });
methods: { this.addMiga({ nombre: categoria });
seleccionarCategoria(categoria) { }
this.visible = false; }
Event.$emit("filtrar-productos",'categoria',categoria); }
}
}
}
</script> </script>

View file

@ -12,20 +12,20 @@
<tfoot> <tfoot>
<tr> <tr>
<th><abbr title="Bonos de Transporte">B. Transporte</abbr></th> <th><abbr title="Bonos de Transporte">B. Transporte</abbr></th>
<th class="has-text-right">{{ cantidad_bonos_transporte }}</th> <th class="has-text-right">{{ cantidad_transporte }}</th>
<th class="has-text-right">{{ total_bonos_transporte }}</th> <th class="has-text-right">{{ total_transporte }}</th>
</tr> </tr>
<tr v-if="this.$root.devoluciones"> <tr v-if="devoluciones_habilitadas">
<th><p>Devoluciones</p></th> <th><p>Devoluciones</p></th>
<td> <td>
<abbr :title="notas_devoluciones">{{ notas_devoluciones_abbr }}</abbr> <abbr :title="devoluciones_notas">{{ notas_abreviadas }}</abbr>
<button @click.capture="modificarDevoluciones()" class="button is-warning is-small"> <button @click.capture="toggleDevoluciones()" class="button is-warning is-small">
<span class="icon"> <span class="icon">
<i class="fas fa-edit"></i> <i class="fas fa-edit"></i>
</span> </span>
</button> </button>
</td> </td>
<th class="has-text-right">-{{ devoluciones }}</th> <th class="has-text-right">-{{ devoluciones_total }}</th>
</tr> </tr>
<tr> <tr>
<th>Total total</th> <th>Total total</th>
@ -34,7 +34,7 @@
</tr> </tr>
</tfoot> </tfoot>
<tbody> <tbody>
<pedidos-producto-row v-for="producto in productos" :producto="producto" :key="producto.id"></pedidos-producto-row> <producto-row v-for="producto in productos" :producto="producto" :key="producto.id"></producto-row>
</tbody> </tbody>
</table> </table>
<p class="has-text-centered" v-show="!mostrar_tabla"> <p class="has-text-centered" v-show="!mostrar_tabla">
@ -45,58 +45,43 @@
</template> </template>
<script> <script>
export default { import ProductoRow from "./ProductoRow.vue";
data() { import { mapMutations, mapState } from "vuex";
return {
mostrar_tabla: false, export default {
cantidad_bonos_transporte: 0, components: { ProductoRow },
total_bonos_transporte: 0, computed: {
devoluciones: 0, ...mapState('barrio',["devoluciones_habilitadas"]),
notas_devoluciones: "", ...mapState('pedido',[
notas_devoluciones_abbr: "", "productos",
total: 0, "total",
productos: [], "total_transporte",
} "cantidad_transporte",
"devoluciones_total",
"devoluciones_notas",
]),
notas_abreviadas() {
return this.devoluciones_notas.substring(0, 15) + (this.devoluciones_notas.length > 15 ? "..." : "");
}, },
mounted() { mostrar_tabla() {
Event.$on('pedido-actualizado', this.pedidoActualizado); return this.productos?.length !== 0;
Event.$on('toggle-chismosa', this.pedidoActualizado);
}, },
methods: { },
pedidoActualizado: function() { methods: {
this.mostrar_tabla = this.$root.productos.length > 0; ...mapMutations('ui',["toggleDevoluciones"]),
this.cantidad_bonos_transporte = this.cantidadBonosDeTransporte(); },
this.total_bonos_transporte = this.totalBonosDeTransporte(); }
this.devoluciones = this.$root.pedido.devoluciones_total;
this.notas_devoluciones = this.$root.pedido.devoluciones_notas;
this.notas_devoluciones_abbr = this.notas_devoluciones.substring(0, 15);
if (this.notas_devoluciones.length > 15) {
this.notas_devoluciones_abbr += "...";
}
this.total = this.$root.pedido.total;
this.productos = this.$root.productos;
},
modificarDevoluciones: function() {
Event.$emit("modificar-devoluciones");
},
cantidadBonosDeTransporte: function() {
return this.$root.pedido.cantidad_transporte;
},
totalBonosDeTransporte: function() {
return this.$root.pedido.total_transporte
},
},
}
</script> </script>
<style> <style>
.tabla-chismosa { .tabla-chismosa {
width: 100%; width: 100%;
} }
.fixed-right {
position: fixed; .fixed-right {
overflow-y: auto; position: fixed;
max-height: 81vh; overflow-y: auto;
margin-right: 20px; max-height: 81vh;
} margin-right: 20px;
}
</style> </style>

View file

@ -1,7 +1,7 @@
<template> <template>
<div class="dropdown is-right navbar-item" :class="{'is-active':activa}"> <div class="dropdown is-right navbar-item" :class="{'is-active': show_chismosa}">
<div class="dropdown-trigger"> <div class="dropdown-trigger">
<a class="text-a" aria-haspopup="true" :aria-controls="id" @click.capture="toggle"> <a class="text-a" aria-haspopup="true" :aria-controls="ariaControls" @click.capture="toggleChismosa">
<span class="icon is-small mr-1"> <span class="icon is-small mr-1">
<img src="/assets/chismosa.png"> <img src="/assets/chismosa.png">
</span> </span>
@ -13,33 +13,23 @@
<script> <script>
import Chismosa from './Chismosa.vue' import Chismosa from './Chismosa.vue'
import { mapMutations, mapState } from "vuex";
export default { export default {
components: { components: {
Chismosa Chismosa
}, },
props: { props: {
id: { ariaControls: {
type: String, type: String,
required: true required: true
} }
}, },
data() { computed: {
return { ...mapState('pedido',["total"]),
activa: false, ...mapState('ui',["show_chismosa"]),
total: 0,
}
},
mounted() {
Event.$on('pedido-actualizado', this.actualizar);
}, },
methods: { methods: {
toggle() { ...mapMutations('ui',["toggleChismosa"]),
this.activa = !this.activa;
Event.$emit("toggle-chismosa", this.activa);
},
actualizar() {
this.total = this.$root.pedido.total;
},
}, },
} }
</script> </script>

View file

@ -1,67 +1,71 @@
<template> <template>
<div v-bind:class="visible ? 'is-active modal' : 'modal'"> <div :class="show_devoluciones ? 'is-active modal' : 'modal'">
<div class="modal-background"></div> <div class="modal-background"></div>
<div class="modal-card"> <div class="modal-card">
<header class="modal-card-head"> <header class="modal-card-head">
<p class="modal-card-title">Devoluciones</p> <p class="modal-card-title">Devoluciones</p>
<button class="delete" aria-label="close" @click.capture="cerrar"></button> <button class="delete" aria-label="close" @click.capture="toggleDevoluciones()"></button>
</header> </header>
<section class="modal-card-body"> <section class="modal-card-body">
<div class="field has-addons is-centered is-thin-centered"> <div class="field has-addons is-centered is-thin-centered">
<p class="control"> <p class="control">
Total: Total:
<input id="total" class="input" type="number" v-model="total" style="text-align: center"> <input id="totalControl" class="input" type="number" v-model="totalControl"
style="text-align: center">
</p> </p>
</div> </div>
<div class="field has-addons is-centered is-thin-centered"> <div class="field has-addons is-centered is-thin-centered">
<p class="control"> <p class="control">
Notas: Notas:
<input id="notas" class="input" type="text" v-model.text="notas"> <input id="notasControl" class="input" type="text" v-model.text="notasControl">
</p> </p>
</div> </div>
</section> </section>
<footer class="modal-card-foot"> <footer class="modal-card-foot">
<button class="button is-success" @click="modificar">Aceptar</button> <button class="button is-success" @click="modificar">Aceptar</button>
<button class="button" @click.capture="cerrar">Cancelar</button> <button class="button" @click.capture="toggleDevoluciones()">Cancelar</button>
</footer> </footer>
</div> </div>
</div> </div>
</template> </template>
<script> <script>
export default { import { mapActions, mapMutations, mapState } from "vuex";
data() {
return { export default {
visible: false, name: 'DevolucionesModal',
total: 0, data() {
notas: "", return {
} totalControl: 0,
notasControl: "",
}
},
mounted() {
this.actualizar();
},
watch: {
cantidadEnChismosa() {
this.actualizar();
}, },
computed: { notasEnChismosa() {
miga: function() { this.actualizar();
return { }
nombre: "Devoluciones", },
href: "#devoluciones", computed: {
} ...mapState('ui', ["show_devoluciones"]),
}, ...mapState('pedido', ["devoluciones_total", "devoluciones_notas"])
},
methods: {
...mapMutations('ui', ["toggleDevoluciones"]),
...mapActions('pedido', ["modificarDevoluciones"]),
modificar() {
this.modificarDevoluciones({ monto: this.totalControl, notas: this.notasControl });
this.toggleDevoluciones();
}, },
methods: { actualizar() {
cerrar() { this.totalControl = this.devoluciones_total;
this.visible = false; this.notasControl = this.devoluciones_notas;
Event.$emit("migas-pop");
},
modificar() {
Event.$emit('sync-devoluciones', this.total, this.notas);
this.cerrar();
}
}, },
mounted() { },
Event.$on('modificar-devoluciones', () => { }
this.visible = true; </script>
this.total = this.$root.pedido.devoluciones_total;
this.notas = this.$root.pedido.devoluciones_notas;
Event.$emit("migas-agregar", this.miga);
});
},
}
</script>

View file

@ -1,55 +0,0 @@
<template>
<div v-show="visible" class="block">
<div class="field">
<label class="label">Contraseña del barrio</label>
<div class="field has-addons">
<div class="control">
<input required class="input" :type="this.passwordType" name="password" placeholder="Contraseña del barrio">
</div>
<div class="control">
<a class="button is-info" @click="togglePassword">
{{ (passwordVisible ? 'Ocultar' : 'Mostrar') + ' contraseña'}}
</a>
</div>
</div>
<p class="help">Si no la sabés, consultá a tus compañerxs.</p>
</div>
<div class="field">
<div class="control">
<input type="submit" class="button is-success" value="Ingresar"/>
</div>
</div>
</div>
</template>
<script>
export default {
data() {
return {
visible: false,
gdc: this.$root.gdc,
passwordVisible: false,
passwordType: "password",
}
},
mounted() {
Event.$on('gdc-seleccionado', (gdc) => {
this.$root.gdc = gdc;
this.visible = true;
});
},
methods: {
togglePassword() {
if (this.passwordVisible) this.passwordType = "password";
else this.passwordType = "text"
this.passwordVisible = !this.passwordVisible
}
}
}
</script>
<style>
.help {
font-size: 1rem;
}
</style>

View file

@ -1,54 +1,43 @@
<template> <template>
<nav class="breadcrumb is-centered has-background-danger-light is-fixed-top" aria-label="breadcrumbs" v-show="visible"> <nav v-if="pedidoDefinido" class="breadcrumb is-centered has-background-danger-light is-fixed-top"
<ul class="mt-4"> aria-label="breadcrumbs" v-show="visible">
<li v-for="(miga, i) in migas" :key="i" :class="{'is-active': i == migaActiva}"> <ul class="mt-4">
<a :href="miga.href" v-text="miga.nombre" <li v-for="(miga, i) in migas" :key="i" :class="{'is-active': i === migaActiva}">
:class="{'has-text-danger': i != migaActiva}"></a> <a @click="clickMiga({ miga: miga })" v-text="miga.nombre"
</li> :class="{'has-text-danger': i !== migaActiva}"></a>
</ul> </li>
</nav> </ul>
</nav>
</template> </template>
<script> <script>
export default { import { mapActions, mapGetters, mapState } from "vuex";
data() {
return { export default {
migas: [] methods: {
} ...mapActions('productos',["getProductos"]),
}, ...mapActions('ui',["clickMiga"]),
computed: { },
visible: function() { computed: {
return this.migas.length > 0 ...mapState('ui',["migas"]),
}, ...mapGetters('pedido',["pedidoDefinido"]),
migaActiva: function() { visible() {
return this.migas.length-1 return this.migas.length > 0
} },
}, migaActiva() {
mounted() { return this.migas.length - 1
Event.$on('migas-setear-como-inicio', (miga) => { }
this.migas = []; },
this.migas.push(miga); }
});
Event.$on('migas-agregar', (miga) => {
this.migas.push(miga);
});
Event.$on('migas-reset', () => {
this.migas = [];
});
Event.$on('migas-pop', () => {
this.migas.pop();
});
}
}
</script> </script>
<style> <style>
nav.breadcrumb.is-fixed-top { nav.breadcrumb.is-fixed-top {
position: fixed; position: fixed;
left: 0; left: 0;
right: 0; right: 0;
top: 3.25rem; top: 3.25rem;
height: 2.75rem; height: 2.75rem;
z-index: 5; z-index: 5;
} }
</style> </style>

View file

@ -0,0 +1,30 @@
<script >
import { defineComponent } from "vue";
import { mapActions, mapState } from "vuex";
import SubpedidoSelect from "./SubpedidoSelect.vue";
import CategoriasContainer from "./CategoriasContainer.vue";
import ProductosContainer from "./ProductosContainer.vue";
import Chismosa from "./Chismosa.vue";
import DevolucionesModal from "./DevolucionesModal.vue";
import CartelPedidoAprobado from "./CartelPedidoAprobado.vue";
export default defineComponent({
components: { CartelPedidoAprobado, DevolucionesModal, SubpedidoSelect, CategoriasContainer, ProductosContainer, Chismosa },
computed: {
...mapState('ui',["show_chismosa","show_devoluciones"])
},
})
</script>
<template>
<div class="columns ml-3 mr-3" v-else>
<categorias-container :class="show_chismosa ? 'hide-below-1024' : ''"></categorias-container>
<productos-container :class="show_chismosa ? 'hide-below-1024' : ''"></productos-container>
<chismosa v-show="show_chismosa"></chismosa>
<devoluciones-modal v-show="show_devoluciones"></devoluciones-modal>
</div>
</template>
<style scoped>
</style>

View file

@ -0,0 +1,26 @@
<script>
import { defineComponent } from "vue";
import SubpedidoSelect from "./SubpedidoSelect.vue";
import { mapGetters } from "vuex";
export default defineComponent({
components: { SubpedidoSelect },
})
</script>
<template>
<section class="section">
<div id="root" class="container">
<h1 class="title">
Pedidos MPS
</h1>
<p class="subtitle">
Bienvenidx a la aplicación de pedidos del <strong>Mercado Popular de Subsistencia</strong>
</p>
<subpedido-select></subpedido-select>
</div>
</section>
</template>
<style scoped>
</style>

View file

@ -7,29 +7,31 @@
</button> </button>
</div> </div>
<div class="control"> <div class="control">
<input id="cantidad" v-model="cantidad" class="input is-small" type="number" style="text-align: center"> <input id="cantidad" v-model="cantidadControl" class="input is-small" type="number"
style="text-align: center">
</div> </div>
<div class="control" @click="incrementar();"> <div class="control" @click="incrementar();">
<button class="button is-small"> <button class="button is-small">
<i class="fa fa-solid fa-plus"></i> <i class="fa fa-solid fa-plus"></i>
</button> </button>
</div> </div>
<button :disabled="disableConfirm()" class="button is-small is-success ml-1" @click="confirmar()"> <button :disabled="!hayCambios" class="button is-small is-success ml-1" @click="confirmar()">
<span class="icon"> <span class="icon">
<i class="fas fa-check"></i> <i class="fas fa-check"></i>
</span> </span>
</button> </button>
<button :disabled="!puedeBorrar()" class="button is-small is-danger ml-1" @click="borrar()"> <button :disabled="!puedeBorrar" class="button is-small is-danger ml-1" @click="borrar()">
<span class="icon"> <span class="icon">
<i class="fas fa-trash-alt"></i> <i class="fas fa-trash-alt"></i>
</span> </span>
</button> </button>
</div> </div>
<div v-if="producto.requiere_notas" v-bind:class="{'has-icons-right': notas_warning_visible}" class="control is-full-width has-icons-left"> <div v-if="requiere_notas" :class="{'has-icons-right': notas_warning_visible}"
class="control is-full-width has-icons-left">
<span class="icon is-small is-left"> <span class="icon is-small is-left">
<i class="fas fa-sticky-note"></i> <i class="fas fa-sticky-note"></i>
</span> </span>
<input v-model="notas" v-bind:class="{'is-danger': notas_warning_visible}" id="notas" class="input" type="text" placeholder="Talle o color" /> <input v-model="notasControl" v-bind:class="{'is-danger': notas_warning_visible}" id="notas" class="input" type="text" placeholder="Talle o color"/>
<span v-if="notas_warning_visible" class="icon is-small is-right"> <span v-if="notas_warning_visible" class="icon is-small is-right">
<i class="fas fa-exclamation-triangle"></i> <i class="fas fa-exclamation-triangle"></i>
</span> </span>
@ -43,98 +45,110 @@
</template> </template>
<script> <script>
export default { import { mapActions, mapGetters } from "vuex";
props: {
producto: Object export default {
props: {
producto_id: {
type: Number,
required: true,
}, },
data() { requiere_notas: {
return { type: Number,
cantidad: this.cantidadEnChismosa(), required: true,
notas: this.notasEnChismosa(), }
notas_warning_visible: false, },
data() {
return {
cantidadControl: 0,
notasControl: '',
notas_warning_visible: false,
}
},
watch: {
cantidadEnChismosa() {
this.actualizar();
},
notasEnChismosa() {
this.actualizar();
}
},
mounted() {
this.actualizar();
},
computed: {
...mapGetters('pedido', ["enChismosa", "cantidad", "notas"]),
cantidadEnChismosa() {
return this.cantidad(this.producto_id);
},
notasEnChismosa() {
return this.notas(this.producto_id);
},
hayCambios() {
return this.cantidadControl !== this.cantidadEnChismosa || this.notasControl !== this.notasEnChismosa;
},
puedeBorrar() {
return this.enChismosa(this.producto_id);
},
faltaNotas() {
return this.requiere_notas && this.cantidadControl > 0 && !this.notasControl;
},
},
methods: {
...mapActions('pedido', ["modificarChismosa"]),
decrementar() {
this.cantidadControl -= 1;
},
incrementar() {
this.cantidadControl += 1;
},
borrar() {
this.cantidadControl = 0;
this.confirmar();
},
async confirmar() {
if (this.faltaNotas) {
this.notas_warning_visible = true;
return;
} }
}, await this.modificarChismosa({
mounted() { producto_id: this.producto_id,
Event.$on('sync-subpedido', (cantidad, productoId, notas) => { cantidad: this.cantidadControl,
if (this.producto.id === productoId) notas: this.notasControl
this.sincronizar(cantidad, notas);
}); });
}, },
methods: { actualizar() {
notasEnChismosa() { this.cantidadControl = this.cantidadEnChismosa;
return this.producto.pivot !== undefined ? this.producto.pivot.notas : ""; this.notasControl = this.notasEnChismosa;
}, },
cantidadEnChismosa() {
return this.producto.pivot !== undefined ? this.producto.pivot.cantidad : 0;
},
decrementar() {
this.cantidad -= 1;
},
incrementar() {
this.cantidad += 1;
},
confirmar() {
if (this.warningNotas()) {
this.notas_warning_visible = true;
return;
}
console.log("Emit sync " + this.cantidad + " " + this.notas);
Event.$emit('sync-subpedido', this.cantidad, this.producto.id, this.notas);
},
borrar() {
this.cantidad = 0;
this.confirmar();
},
sincronizar(cantidad, notas) {
this.notas_warning_visible = false;
this.notas = notas;
this.cantidad = cantidad;
if (this.producto.pivot !== undefined) {
this.producto.pivot.cantidad = cantidad;
this.producto.pivot.notas = notas;
}
},
hayCambios() {
if (this.cantidad != this.cantidadEnChismosa()) return true;
return this.cantidad > 0 && this.notas != this.notasEnChismosa();
},
puedeBorrar() {
return this.cantidadEnChismosa() > 0;
},
warningNotas() {
return this.producto.requiere_notas && this.cantidad > 0 && !this.notas;
},
disableConfirm() {
return !this.hayCambios();
},
}
} }
}
</script> </script>
<style> <style>
/* Chrome, Safari, Edge, Opera */ /* Chrome, Safari, Edge, Opera */
input::-webkit-outer-spin-button, input::-webkit-outer-spin-button,
input::-webkit-inner-spin-button { input::-webkit-inner-spin-button {
-webkit-appearance: none; -webkit-appearance: none;
margin: 0; margin: 0;
} }
/* Firefox */ /* Firefox */
input[type=number] { input[type=number] {
appearance: textfield; appearance: textfield;
-moz-appearance: textfield; -moz-appearance: textfield;
} }
.contador {
min-width: 178px;
}
.is-danger { .contador {
background-color: #fca697; min-width: 178px;
} }
.is-danger::placeholder {
color: #fff; .is-danger {
opacity: 1; /* Firefox */ background-color: #fca697;
} }
</style>
.is-danger::placeholder {
color: #fff;
opacity: 1; /* Firefox */
}
</style>

View file

@ -1,50 +1,25 @@
<script> <script>
import ProductoCantidad from "./ProductoCantidad.vue";
import { mapGetters } from "vuex";
export default { export default {
name: "ProductoCard", name: "ProductoCard",
components: { ProductoCantidad },
props: { props: {
producto: Object producto: {
type: Object,
required: true
}
}, },
data() { computed: {
return { ...mapGetters('pedido',["enChismosa", "cantidad"]),
cantidad: this.producto.cantidad, fuePedido() {
enChismosa: this.producto.cantidad, return this.enChismosa(this.producto.id);
notas: this.producto.notas, },
} cantidadEnChismosa() {
return this.cantidad(this.producto.id);
}
}, },
mounted() {
Event.$on('sync-subpedido', (cantidad, productoId, notas) => {
if (this.producto.id === productoId)
this.sincronizar(cantidad, notas);
});
},
methods: {
decrementar() {
this.cantidad -= 1;
},
incrementar() {
this.cantidad += 1;
},
confirmar() {
Event.$emit('sync-subpedido', this.cantidad, this.producto.id, this.notas);
},
borrar() {
this.cantidad = 0;
this.confirmar();
},
sincronizar(cantidad, notas) {
this.cantidad = cantidad;
this.producto.cantidad = cantidad;
this.enChismosa = cantidad;
this.notas = notas;
this.producto.notas = notas;
},
hayCambios() {
return this.cantidad !== this.enChismosa || this.notas !== this.producto.notas;
},
puedeBorrar() {
return this.enChismosa > 0;
},
}
} }
</script> </script>
@ -56,8 +31,7 @@ export default {
<p class="title is-6"> <p class="title is-6">
{{ producto.nombre }} {{ producto.nombre }}
</p> </p>
<p class="subtitle is-7" v-text="producto.proveedor"></p> <span class="subtitle is-7 hidden-from-tablet" v-if="fuePedido">{{ cantidadEnChismosa }}</span>
<span class="subtitle is-7 hidden-from-tablet" v-if="enChismosa !== 0">{{ enChismosa }} en chismosa</span>
</div> </div>
<div class="column is-one-quarter has-text-right"> <div class="column is-one-quarter has-text-right">
<p class="has-text-weight-bold has-text-primary"> <p class="has-text-weight-bold has-text-primary">
@ -71,13 +45,16 @@ export default {
</div> </div>
<footer class="columns"> <footer class="columns">
<div class="column is-three-quarters"> <div class="column is-three-quarters">
<pedidos-producto-cantidad :producto="producto"></pedidos-producto-cantidad> <producto-cantidad
:producto_id="producto.id"
:requiere_notas="producto.requiere_notas">
</producto-cantidad>
</div> </div>
<div class="column"> <div class="column">
<p class="subtitle is-7 is-hidden-mobile" v-if="enChismosa > 0">{{ enChismosa }} en chismosa</p> <p class="subtitle is-7 is-hidden-mobile" v-if="fuePedido">{{ cantidadEnChismosa }} en chismosa</p>
</div> </div>
</footer> </footer>
</div><!-- END BOX --> </div>
</div> </div>
</template> </template>

View file

@ -2,15 +2,25 @@
<tr> <tr>
<td>{{ this.producto.nombre }}</td> <td>{{ this.producto.nombre }}</td>
<td class="has-text-right"> <td class="has-text-right">
<pedidos-producto-cantidad :producto="producto"></pedidos-producto-cantidad> <producto-cantidad
:producto_id="producto.id"
:requiere_notas="producto.requiere_notas">
</producto-cantidad>
</td> </td>
<td class="has-text-right">{{ Math.ceil(this.producto.pivot.total) }}</td> <td class="has-text-right">{{ cantidad(producto.id) }}</td>
</tr> </tr>
</template> </template>
<script> <script>
import ProductoCantidad from "./ProductoCantidad.vue";
import { mapGetters } from "vuex";
export default { export default {
components: { ProductoCantidad },
props: { props: {
producto: Object producto: Object
}, },
computed: {
...mapGetters('pedido',["cantidad"]),
},
} }
</script> </script>

View file

@ -1,55 +1,32 @@
<template> <template>
<div v-show="visible" class="column"> <div v-show="visible" class="column">
<div class="columns is-multiline is-mobile"> <div class="columns is-multiline is-mobile">
<pedidos-producto-card v-for="(producto,i) in productos" :key="i" :producto="producto"> <producto-card
</pedidos-producto-card><!-- END BLOCK COLUMN --> v-for="(producto,i) in this.productos"
</div><!-- END COLUMNS --> :key="i"
</div><!-- END CONTAINER --> :producto="producto">
</producto-card>
</div>
</div>
</template> </template>
<script> <script>
import ProductoCard from "./ProductoCard.vue";
import { mapState } from "vuex";
export default { export default {
data() { name: 'ProductosContainer',
return { components: { ProductoCard },
productos: [], computed: {
visible: false, ...mapState('productos', ["productos", "filtro"]),
paginar: 150, visible() {
valor: null, return this.filtro !== null;
filtro: null },
} miga: function () {
}, return {
computed: { nombre: this.filtro.valor,
miga: function(){ href: "#" + this.filtro.valor
return { }
nombre: this.valor, }
href: "#" + this.valor },
} }
}
},
mounted() {
Event.$on('filtrar-productos', (filtro,valor) => {
this.filtro = filtro
this.valor = valor
axios.get("/api/productos", {
params: this.params(filtro,valor)
}).then(response => {
this.productos = response.data.data;
this.productos.forEach(p => {
p.pivot = {};
p.pivot.cantidad = this.$root.cantidad(p);
p.pivot.notas = this.$root.notas(p);
});
});
this.visible = true;
Event.$emit("migas-agregar",this.miga);
});
},
methods: {
params(filtro,valor) {
let params = { paginar: this.paginar }
params[filtro] = valor
return params
},
}
}
</script> </script>

View file

@ -1,28 +1,32 @@
<template> <template>
<div> <div>
<label class="label">Escribí el nombre de tu familia o grupo de convivencia</label> <label class="label">Escribí el nombre de tu familia o grupo de convivencia</label>
<div class="columns"> <div class="columns">
<div class="column is-two-thirds"> <div class="column is-two-thirds">
<div class="field"> <div class="field">
<div class="control"> <div class="control">
<input class="input" @input="onType" v-model="subpedido"/> <input class="input" @input="onType" v-model="searchString"/>
</div> </div>
<p class="help">Debe ser claro para que tus compas del barrio te identifiquen.</p> <p class="help">Debe ser claro para que tus compas del barrio te identifiquen.</p>
</div> </div>
</div> </div>
<div class="column is-one-third buttons"> <div class="column is-one-third buttons">
<button class="button is-danger" v-show="!botonCrearDesabilitado" @click="submit">Crear nuevo pedido</button> <button class="button is-danger" v-if="!deshabilitado" @click="submit">Crear nuevo pedido
</div> </button>
</div> </div>
<div v-if="subpedidosExistentes.length" class="block"> </div>
<div v-if="pedidos.length" class="block">
<label class="label">Si ya comenzaste a hacer tu pedido este mes, elegilo en esta lista:</label> <label class="label">Si ya comenzaste a hacer tu pedido este mes, elegilo en esta lista:</label>
<p class="help">Podés seguir escribiendo en el campo de arriba para refinar la búsqueda.</p> <p class="help">Podés seguir escribiendo en el campo de arriba para refinar la búsqueda.</p>
<div class="columns is-mobile" v-for="(subpedidoExistente, index) in subpedidosExistentes" :class="{'has-background-grey-lighter': index % 2}" :key="index"> <div class="columns is-mobile" v-for="(subpedidoExistente, index) in pedidos"
:class="{'has-background-grey-lighter': index % 2}" :key="index">
<div class="column is-half-mobile is-two-thirds-desktop is-two-thirds-tablet"> <div class="column is-half-mobile is-two-thirds-desktop is-two-thirds-tablet">
<p style="padding-top: calc(.5em - 1px); margin-bottom: .5rem" v-text="subpedidoExistente.nombre"></p> <p style="padding-top: calc(.5em - 1px); margin-bottom: .5rem"
v-text="subpedidoExistente.nombre"></p>
</div> </div>
<div class="buttons column is-half-mobile is-one-third-desktop is-one-third-tablet"> <div class="buttons column is-half-mobile is-one-third-desktop is-one-third-tablet">
<button class="button is-danger" @click="elegirSubpedido(subpedidoExistente)">Continuar pedido</button> <button class="button is-danger" @click="elegirPedido({ pedido: subpedidoExistente })">Continuar pedido
</button>
</div> </div>
</div> </div>
</div> </div>
@ -30,62 +34,40 @@
</template> </template>
<script> <script>
export default { import { mapActions, mapMutations, mapState } from "vuex";
data() {
return { export default {
subpedido: null, name: 'SubpedidoSelect',
subpedidosExistentes: [] async mounted() {
} await this.getGrupoDeCompra();
}, },
computed: { data() {
nombresDeSubpedidos: function() { return {
return this.subpedidosExistentes.map(a => a.nombre.toLowerCase()) searchString: null
}, }
botonCrearDesabilitado : function() { },
return !this.subpedido || this.nombresDeSubpedidos.includes(this.subpedido.toLowerCase()) computed: {
} ...mapState('barrio',["grupo_de_compra_id","pedidos"]),
}, ...mapState('pedido',["nombre","pedido_id"]),
props: ["gdcid"], deshabilitado: function () {
mounted() { return !this.searchString?.trim()
console.log("ready"); || this.pedidos.some(p => p.nombre.toLowerCase() === this.searchString.toLowerCase())
}, }
methods: { },
onType() { methods: {
if (!this.subpedido){ ...mapActions('barrio',["getGrupoDeCompra","getPedidos"]),
this.subpedidosExistentes = []; ...mapActions('pedido',["crearPedido","elegirPedido"]),
return; ...mapMutations('barrio',["setPedidos"]),
} onType() {
axios.get("/api/subpedidos", { if (!this.searchString) {
params: { this.setPedidos([]);
nombre: this.subpedido, return;
grupo_de_compra: this.gdcid }
} this.getPedidos(this.searchString);
}).then(response => { },
this.subpedidosExistentes = response.data async submit() {
}); await this.crearPedido({ nombre: this.searchString, grupo_de_compra_id: this.grupo_de_compra_id });
}, },
submit() { }
axios.post("/api/subpedidos", { }
nombre: this.subpedido,
grupo_de_compra_id: this.gdcid
}).then(response => {
//se creo el subpedido
this.elegirSubpedido(response.data);
});
},
elegirSubpedido(subpedido){
//lo guardamos en sesion
this.guardarSubpedidoEnSesion(subpedido);
},
guardarSubpedidoEnSesion(subpedido) {
axios.post("/subpedidos/guardar_sesion", {
subpedido: subpedido,
grupo_de_compra_id: this.gdcid
}).then(_ => {
Event.$emit('obtener-sesion')
window.location.href = 'productos';
});
}
}
}
</script> </script>

21
resources/js/store/index.js vendored Normal file
View file

@ -0,0 +1,21 @@
import Vue from 'vue';
import Vuex from 'vuex';
import admin from "./modules/admin";
import login from "./modules/login";
import pedido from "./modules/pedido";
import barrio from "./modules/barrio";
import productos from "./modules/productos";
import ui from "./modules/ui";
Vue.use(Vuex);
export default new Vuex.Store({
modules: {
admin,
login,
pedido,
barrio,
productos,
ui,
},
});

81
resources/js/store/modules/admin.js vendored Normal file
View file

@ -0,0 +1,81 @@
import axios from "axios";
const state = {
lastFetch: null,
grupo_de_compra_id: null,
nombre: null,
devoluciones_habilitadas: null,
pedidos: null,
total_a_recaudar: null,
total_barrial: null,
total_devoluciones: null,
total_a_transferir: null,
total_transporte: null,
cantidad_transporte: null,
};
const mutations = {
setState(state, { grupo_de_compra }) {
state.lastFetch = new Date();
state.grupo_de_compra_id = grupo_de_compra.id;
state.nombre = grupo_de_compra.nombre;
state.devoluciones_habilitadas = grupo_de_compra.devoluciones_habilitadas;
state.pedidos = grupo_de_compra.pedidos;
state.total_a_recaudar = grupo_de_compra.total_a_recaudar;
state.total_barrial = grupo_de_compra.total_barrial;
state.total_devoluciones = grupo_de_compra.total_devoluciones;
state.total_a_transferir = grupo_de_compra.total_a_transferir;
state.total_transporte = grupo_de_compra.total_transporte;
state.cantidad_transporte = grupo_de_compra.cantidad_transporte;
},
toggleCaracteristica(state, { caracteristica_id }) {
state[`${caracteristica_id}_habilitadas`] = !state[`${caracteristica_id}_habilitadas`];
}
};
const actions = {
async getGrupoDeCompra({ commit }) {
const response = await axios.get('/user/grupo_de_compra');
commit('setState', response.data);
},
async setAprobacionPedido({ commit, dispatch }, { pedido_id, aprobacion }){
await axios.post("/api/admin/subpedidos/" + pedido_id + "/aprobacion", { aprobacion: aprobacion });
await actions.getGrupoDeCompra({ commit });
dispatch("ui/toast",
{ mensaje: `Pedido ${aprobacion ? '' : 'des' }aprobado con éxito.` },
{ root: true });
},
async toggleCaracteristica({ commit }, { caracteristica_id }) {
await axios.post(`/api/grupos-de-compra/${state.grupo_de_compra_id}/${caracteristica_id}`);
commit('toggleCaracteristica', { caracteristica_id: caracteristica_id })
},
};
const getters = {
grupoDeCompraDefinido() {
return state.lastFetch !== null;
},
hayPedidos() {
return getters.grupoDeCompraDefinido() && state.pedidos.length > 0;
},
pedidosAprobados() {
return getters.grupoDeCompraDefinido() ? state.pedidos.filter(p => p.aprobado) : [];
},
hayAprobados() {
return getters.pedidosAprobados().length !== 0;
},
getPedido() {
return (pedido_id) => state.pedidos.find(p => p.id === pedido_id);
},
getCaracteristica() {
return (caracteristica) => state[`${caracteristica}_habilitadas`];
}
};
export default {
namespaced: true,
state,
mutations,
actions,
getters,
};

42
resources/js/store/modules/barrio.js vendored Normal file
View file

@ -0,0 +1,42 @@
import axios from "axios";
const state = {
grupo_de_compra_id: null,
grupo_de_compra: null,
devoluciones_habilitadas: null,
pedidos: [],
};
const mutations = {
setGrupoDeCompra(state, { grupo_de_compra }) {
state.grupo_de_compra_id = grupo_de_compra.id;
state.grupo_de_compra = grupo_de_compra.nombre;
state.devoluciones_habilitadas = grupo_de_compra.devoluciones_habilitadas;
},
setPedidos(state, pedidos) {
state.pedidos = pedidos;
},
};
const actions = {
async getGrupoDeCompra({ commit }) {
const response = await axios.get('/user/grupo_de_compra');
commit('setGrupoDeCompra', response.data);
},
async getPedidos({ commit }, nombre) {
const response = await axios.get('/api/subpedidos/',{
params: {
nombre: nombre,
grupo_de_compra: state.grupo_de_compra_id
}
});
commit('setPedidos', response.data);
}
};
export default {
namespaced: true,
state,
mutations,
actions,
};

60
resources/js/store/modules/login.js vendored Normal file
View file

@ -0,0 +1,60 @@
import axios from "axios";
const state = {
regiones: null,
grupos_de_compra: null,
region_elegida: null,
grupo_de_compra_elegido: null,
rol: null,
};
const mutations = {
setRegiones(state, { regiones }) {
state.regiones = regiones;
},
setRegionYBarrios(state, { region, grupos_de_compra }) {
state.region_elegida = region;
state.grupos_de_compra = grupos_de_compra;
},
selectGrupoDeCompra(state, { grupo_de_compra }) {
state.grupo_de_compra_elegido = grupo_de_compra;
},
setRol(state, { rol }) {
state.rol = rol;
},
};
const actions = {
async getRegiones({ commit }) {
const response = await axios.get("/api/regiones");
commit('setRegiones', { regiones: response.data });
},
async selectRegion({ commit }, { region }) {
const response = await axios.get("/api/grupos-de-compra");
commit('setRegionYBarrios', { region: region, grupos_de_compra: response.data[region] });
},
async getRol({ commit }) {
const response = await axios.get("/user/rol");
commit('setRol', { rol: response.data.rol });
}
};
const getters = {
adminUrl() {
return window.location.pathname.startsWith('/admin');
},
mensajes() {
return {
mensaje: `Contraseña de ${getters.adminUrl() ? 'administración ' : ''}del barrio`,
ayuda: `Si no la sabés, consultá a ${getters.adminUrl() ? 'la comisión informática ' : 'tus compañerxs'}.`
};
},
};
export default {
namespaced: true,
state,
mutations,
actions,
getters,
};

105
resources/js/store/modules/pedido.js vendored Normal file
View file

@ -0,0 +1,105 @@
import axios from "axios";
const state = {
lastFetch: null,
pedido_id: null,
nombre: null,
productos: null,
aprobado: null,
total: null,
total_transporte: null,
cantidad_transporte: null,
total_sin_devoluciones: null,
devoluciones_total: null,
devoluciones_notas: null,
};
const mutations = {
setState(state, pedido) {
state.lastFetch = new Date();
state.pedido_id = pedido.id;
state.nombre = pedido.nombre;
state.productos = pedido.productos;
state.aprobado = pedido.aprobado;
state.total = pedido.total;
state.total_transporte = pedido.total_transporte;
state.cantidad_transporte = pedido.cantidad_transporte;
state.total_sin_devoluciones = pedido.total_sin_devoluciones;
state.devoluciones_total = pedido.devoluciones_total;
state.devoluciones_notas = pedido.devoluciones_notas;
},
};
const actions = {
async guardarSesion(_, { pedido_id }) {
await axios.post("/subpedidos/sesion", { id: pedido_id });
},
async getSesion({ commit }) {
const sesion = await axios.get("/subpedidos/sesion");
if (sesion.data) {
const response = await axios.get(`/api/subpedidos/${sesion.data}`);
commit('setState', response.data.data);
}
},
async crearPedido({ commit, dispatch }, { nombre, grupo_de_compra_id }) {
const response = await axios.post("/api/subpedidos", {
nombre: nombre,
grupo_de_compra_id: grupo_de_compra_id
});
dispatch("guardarSesion", { pedido_id: response.data.data.id});
commit('setState', response.data.data);
},
async elegirPedido({ commit, dispatch }, { pedido }) {
const response = await axios.get(`/api/subpedidos/${pedido.id}`);
dispatch("guardarSesion", { pedido_id: response.data.data.id})
commit('setState', response.data.data);
},
async modificarChismosa({ commit, dispatch }, { producto_id, cantidad, notas }) {
try {
const response = await axios.post("/api/subpedidos/" + state.pedido_id + "/sync", {
cantidad: cantidad,
producto_id: producto_id,
notas: notas,
});
commit('setState', response.data.data);
dispatch("ui/toast", { mensaje: 'Pedido modificado con éxito' }, { root: true });
} catch (error) {
dispatch("ui/error", { error: error }, { root: true });
}
},
async modificarDevoluciones({ commit, dispatch }, { monto, notas }) {
try {
const response = await axios.post("api/subpedidos/" + state.pedido_id + "/sync_devoluciones", {
total: monto,
notas: notas,
});
commit('setState', response.data.data);
dispatch("ui/toast", { mensaje: 'Devoluciones modificadas con éxito' }, { root: true });
} catch (error) {
dispatch("ui/error", { error: error }, { root: true });
}
},
};
const getters = {
pedidoDefinido() {
return state.lastFetch !== null;
},
enChismosa() {
return ((producto_id) => state.productos.some(p => p.id === producto_id));
},
cantidad() {
return ((producto_id) => state.productos.find(p => p.id === producto_id)?.pivot.cantidad ?? 0);
},
notas() {
return ((producto_id) => state.productos.find(p => p.id === producto_id)?.pivot.notas ?? "");
}
}
export default {
namespaced: true,
state,
mutations,
actions,
getters,
};

56
resources/js/store/modules/productos.js vendored Normal file
View file

@ -0,0 +1,56 @@
import axios from "axios";
const state = {
lastFetch: null,
categorias: [],
productos: [],
filtro: null,
};
const mutations = {
setCategorias(state, categorias) {
state.lastFetch = new Date();
state.categorias = categorias;
},
setProductos(state, productos) {
state.lastFetch = new Date();
state.productos = productos;
},
setFiltro(state, filtro) {
state.lastFetch = new Date();
state.filtro = filtro;
},
};
const actions = {
async init({ dispatch }) {
dispatch('getCategorias');
dispatch('getProductos');
},
async getCategorias({ commit }) {
const response = await axios.get('api/categorias');
commit('setCategorias', response.data);
},
async getProductos({ commit }) {
const response = await axios.get("/api/productos");
commit('setFiltro', null);
commit('setProductos', response.data.data);
},
async seleccionarCategoria({ dispatch }, { categoria }) {
dispatch('filtrarProductos', { filtro: "categoria", valor: categoria });
},
async filtrarProductos({ commit }, { filtro, valor }) {
const response = await axios.get("/api/productos", {
params: { [filtro]: valor }
});
commit('setFiltro', { clave: filtro, valor: valor });
commit('setProductos', response.data.data);
}
};
export default {
namespaced: true,
state,
mutations,
actions,
};

48
resources/js/store/modules/ui.js vendored Normal file
View file

@ -0,0 +1,48 @@
import { dropWhile } from "lodash/array";
const state = {
show_chismosa: false,
show_devoluciones: false,
miga_inicial: { nombre: 'Categorias', action: 'productos/getProductos' },
migas: [{ nombre: 'Categorias', action: 'productos/getProductos' }],
};
const mutations = {
toggleChismosa(state) {
state.show_chismosa = !state.show_chismosa;
},
toggleDevoluciones(state) {
state.show_devoluciones = !state.show_devoluciones;
},
addMiga(state, miga) {
state.migas.push(miga);
},
};
const actions = {
clickMiga({ dispatch }, { miga }) {
dispatch(miga.action, null, { root: true });
state.migas = dropWhile(state.migas.reverse(),(m => m.nombre !== miga.nombre)).reverse();
},
toast(_, { mensaje }) {
return window.bulmaToast.toast({
message: mensaje,
duration: 2000,
type: 'is-danger',
position: 'bottom-center',
});
},
error({ dispatch }, { error }) {
const errorMsg = error.response && error.response.data && error.response.data.message
? error.response.data.message
: error.message;
dispatch("toast", { mensaje: errorMsg });
},
};
export default {
namespaced: true,
state,
mutations,
actions,
};

View file

@ -21,11 +21,10 @@
Contraseña incorrecta, intentalo nuevamente. Contraseña incorrecta, intentalo nuevamente.
</div> </div>
@enderror @enderror
<comunes-region-select v-bind:admin="true"></comunes-region-select> <comunes-region-select></comunes-region-select>
<form method="post" action="login"> <form method="post" action="/login">
@csrf @csrf
<comunes-barrio-select v-bind:admin="true"></comunes-barrio-select> <comunes-login-form></comunes-login-form>
<admin-login></admin-login>
</form> </form>
</div> </div>
</section> </section>

View file

@ -22,7 +22,7 @@
Contraseña incorrecta, intentalo nuevamente. Contraseña incorrecta, intentalo nuevamente.
</div> </div>
@enderror @enderror
<form method="post" action="login"> <form method="post" action="/login">
@csrf @csrf
<compras-login></compras-login> <compras-login></compras-login>
</form> </form>

View file

@ -24,11 +24,10 @@
</div> </div>
@enderror @enderror
<comunes-region-select></comunes-region-select> <comunes-region-select></comunes-region-select>
<form method="post" action="login"> <form method="post" action="/login">
@csrf @csrf
<comunes-barrio-select></comunes-barrio-select> <comunes-login-form></comunes-login-form>
<pedidos-login></pedidos-login> </form>
</form>
</div> </div>
</section> </section>
<script src="{{ mix('js/app.js') }}" defer></script> <script src="{{ mix('js/app.js') }}" defer></script>

View file

@ -7,31 +7,25 @@
<!-- CSRF Token --> <!-- CSRF Token -->
<meta name="csrf-token" content="{{ csrf_token() }}"> <meta name="csrf-token" content="{{ csrf_token() }}">
<title>{{ session("subpedido_nombre") ? "Pedido de " . session("subpedido_nombre") . " - " . config('app.name', 'Pedidos del MPS') : config('app.name', 'Pedidos del MPS')}}</title> <title>{{ config('app.name', 'Pedidos del MPS') }}</title>
<link rel="icon" type="image/x-icon" href="/assets/favicon.png"> <link rel="icon" type="image/x-icon" href="/assets/favicon.png">
<!-- Fonts --> <!-- Fonts -->
<script src="https://kit.fontawesome.com/9235d1c676.js" crossorigin="anonymous"></script> <script src="https://kit.fontawesome.com/9235d1c676.js" crossorigin="anonymous"></script>
<link rel="stylesheet" href="{{ mix('css/app.css') }}"> <link rel="stylesheet" href="{{ mix('css/app.css') }}">
@yield('stylesheets') @yield('stylesheets')
</head> </head>
<body class="has-navbar-fixed-top"> <body class="has-navbar-fixed-top">
<div id="root"> <div id="root">
<comunes-nav-bar> <comunes-nav-bar>
<template slot="subpedido">{{ session('subpedido_nombre') ? 'Pedido de '. session('subpedido_nombre') : Auth::user()->name }}</template> <template #logout-form>
<template slot="gdc">{{ session('subpedido_nombre') ? Auth::user()->name : "" }}</template>
<template slot="logout-form">
<form id="logout-form" action="{{ route('logout') }}" method="POST" class="d-none"> <form id="logout-form" action="{{ route('logout') }}" method="POST" class="d-none">
@csrf @csrf
</form> </form>
</template> </template>
</comunes-nav-bar> </comunes-nav-bar>
<pedidos-nav-migas></pedidos-nav-migas> <pedidos-nav-migas></pedidos-nav-migas>
<main id="main" class="py-4 has-top-padding"> <main id="main" class="py-4 has-top-padding">
<pedidos-cartel-pedido-aprobado></pedidos-cartel-pedido-aprobado>
@yield('content') @yield('content')
</main> </main>
</div> </div>

View file

@ -0,0 +1,8 @@
@extends('layouts.app')
@section('content')
<app-main></app-main>
@endsection
@section('scripts')
@endsection

View file

@ -1,17 +1,7 @@
@extends('layouts.app') @extends('layouts.app')
@section('content') @section('content')
<section class="section"> <app-main></app-main>
<div id="root" class="container">
<h1 class="title">
Pedidos MPS
</h1>
<p class="subtitle">
Bienvenidx a la aplicación de pedidos del <strong>Mercado Popular de Subsistencia</strong>
</p>
<pedidos-subpedido-select gdcid="{{Auth::user()->grupoDeCompra->id}}"></pedidos-subpedido-select>
</div>
</section>
@endsection @endsection
@section('scripts') @section('scripts')

View file

@ -34,8 +34,8 @@ Route::middleware('api')->group(function () {
}); });
Route::post('/{gdc}/devoluciones', function($gdc) { Route::post('/{gdc}/devoluciones', function($gdc) {
$habilitadas = GrupoDeCompra::find($gdc)->toggleDevoluciones(); GrupoDeCompra::find($gdc)->toggleDevoluciones();
return ['devoluciones' => $habilitadas]; return response()->noContent();
}); });
}); });

View file

@ -20,22 +20,59 @@ if (App::environment('production')) {
URL::forceScheme('https'); URL::forceScheme('https');
} }
Route::get('/', 'ProductoController@index')->name('productos');
Auth::routes(['register' => false]); Auth::routes(['register' => false]);
Route::get('/productos', 'ProductoController@index')->name('productos.index'); Route::get('/', 'RouteController@home')->name('home');
Route::get('/admin', 'AdminController@show')->name('admin_login.show'); Route::middleware(['auth'])->group(function () {
Route::get('/user/rol', 'UserController@rol')->name('user.rol');
Route::get('/user/grupo_de_compra', 'UserController@grupoDeCompra');
});
Route::get('/admin/obtener_sesion', function() { Route::middleware(['auth', 'role:barrio'])->group(function() {
return [ Route::get('/pedido', 'RouteController@main')->name('pedido');
'gdc' => session("admin_gdc")
];
})->name('admin_obtener_sesion');
Route::middleware(['auth', 'admin'])->group( function () { Route::get('/productos', 'ProductoController@index')->name('productos.index');
Route::get('/admin/pedidos', 'AdminController@index')->name('admin_login.index');
Route::name('subpedidos.')->prefix("subpedidos")->group(function() {
Route::get('/', function() {
return view('subpedidos_create');
})->name('create');
Route::post('guardar_sesion', function() {
$r = request();
if (!isset($r["subpedido"])) {
throw new HttpException(400, "La request necesita un subpedido para guardar en sesión");
}
if (!isset($r["grupo_de_compra_id"])) {
throw new HttpException(400, "La request necesita un grupo de compra para guardar en sesión");
}
session(["subpedido_nombre" => $r["subpedido"]["nombre"]]);
session(["subpedido_id" => $r["subpedido"]["id"]]);
session(["gdc" => $r["grupo_de_compra_id"]]);
return "Subpedido guardado en sesión";
})->name('guardarSesion');
Route::get('obtener_sesion', function() {
return [
'subpedido' => [
'nombre' => session("subpedido_nombre"),
'id' => session("subpedido_id")
],
'gdc' => session("gdc")
];
})->name('obtenerSesion');
Route::post('sesion', 'SessionController@store');
Route::get('sesion', 'SessionController@fetch');
});
});
Route::get('/admin/login', 'AdminController@show')->name('admin.login');
Route::middleware(['auth', 'role:admin_barrio'])->group(function () {
Route::get('/admin', 'RouteController@main')->name('admin');
Route::get('/admin/exportar-planillas-a-pdf/{gdc}', 'AdminController@exportarPedidosAPdf'); Route::get('/admin/exportar-planillas-a-pdf/{gdc}', 'AdminController@exportarPedidosAPdf');
@ -44,43 +81,10 @@ Route::middleware(['auth', 'admin'])->group( function () {
Route::get('/admin/exportar-pedido-con-nucleos-a-csv/{gdc}', 'AdminController@exportarPedidoConNucleosACSV'); Route::get('/admin/exportar-pedido-con-nucleos-a-csv/{gdc}', 'AdminController@exportarPedidoConNucleosACSV');
}); });
Route::middleware('auth')->group( function() { Route::get('/compras/login', 'ComprasController@show')->name('compras.login');
Route::name('subpedidos.')->prefix("subpedidos")->group( function() { Route::middleware(['auth', 'role:comision'])->group( function() {
Route::get('/', function() { Route::get('/compras', 'RouteController@main')->name('compras');
return view('subpedidos_create');
})->name('create');
Route::post('guardar_sesion', function() {
$r = request();
if (!isset($r["subpedido"])) {
throw new HttpException(400, "La request necesita un subpedido para guardar en sesión");
}
if (!isset($r["grupo_de_compra_id"])) {
throw new HttpException(400, "La request necesita un grupo de compra para guardar en sesión");
}
session(["subpedido_nombre" => $r["subpedido"]["nombre"]]);
session(["subpedido_id" => $r["subpedido"]["id"]]);
session(["gdc" => $r["grupo_de_compra_id"]]);
return "Subpedido guardado en sesión";
})->name('guardarSesion');
Route::get('obtener_sesion', function() {
return [
'subpedido' => [
'nombre' => session("subpedido_nombre"),
'id' => session("subpedido_id")
],
'gdc' => session("gdc")
];
})->name('obtenerSesion');
});
});
Route::get('/compras', 'ComprasController@show')->name('compras_login.show');
Route::middleware(['compras'])->group( function() {
Route::get('/compras/pedidos', 'ComprasController@indexPedidos')->name('compras.pedidos');
Route::get('/compras/pedidos/descargar', 'ComprasController@descargarPedidos')->name('compras.pedidos.descargar'); Route::get('/compras/pedidos/descargar', 'ComprasController@descargarPedidos')->name('compras.pedidos.descargar');
Route::get('/compras/pedidos/notas', 'ComprasController@descargarNotas')->name('compras.pedidos.descargar'); Route::get('/compras/pedidos/notas', 'ComprasController@descargarNotas')->name('compras.pedidos.descargar');
Route::get('/compras/pedidos/pdf', 'ComprasController@pdf')->name('compras.pedidos.pdf'); Route::get('/compras/pedidos/pdf', 'ComprasController@pdf')->name('compras.pedidos.pdf');