Commit 48c8b15b by Angel MAS

Initial commit

parents
# Package blog OneStartup
**onestartup/blog** is a module blog for websites
# Installation
- Run this in the terminal
```php
composer require onestartup/blog
```
- after add the ServiceProvider to the providers array in config/app.php
```php
Onestartup\Blog\BlogServiceProvider::class,
```
- Run migration
```php
php artisan migrate
```
- add next lines to app/User.php
```php
public function entries()
{
return $this->hasMany('Onestartup\Blog\Model\Entry', 'user_id');
}
```
- run command for publish views
```php
php artisan vendor:publish --provider="Onestartup\Blog\BlogServiceProvider"
```
- run serv
```php
php artisan serve
```
- test in this route how admin user
```php
http://localhost:8000/admin/blog/entry
```
- test in this route
```php
http://localhost:8000/blog
```
\ No newline at end of file
{
"name": "onestartup/product",
"description": "catalog of products for websites onestartup",
"type": "library",
"license": "Apache-2.0",
"authors": [
{
"name": "Angel MAS",
"email": "[email protected]"
}
],
"minimum-stability": "dev",
"require": {},
"autoload": {
"psr-4": {"Onestartup\\Product\\": "src"}
}
}
<?php
namespace Onestartup\Product;
use Illuminate\Support\ServiceProvider;
class ProductServiceProvider extends ServiceProvider
{
/**
* Bootstrap the application services.
*
* @return void
*/
public function boot()
{
include __DIR__.'/routes.php';
$this->loadMigrationsFrom(__DIR__.'/migrations');
if (is_dir(base_path() . '/resources/views/vendor/onestartup/product')) {
$this->loadViewsFrom(base_path() . '/resources/views/vendor/onestartup/product', 'product-public');
$this->loadViewsFrom(__DIR__.'/views', 'product');
} else {
$this->loadViewsFrom(__DIR__.'/views', 'product');
$this->loadViewsFrom(__DIR__.'/views/public', 'product-public');
}
$this->publishes([
__DIR__.'/views/public' => resource_path('views/vendor/onestartup/product'),
]);
}
/**
* Register the application services.
*
* @return void
*/
public function register()
{
$this->app->make('Onestartup\Product\Controller\AdminProductController');
$this->app->make('Onestartup\Product\Controller\CategoryController');
$this->app->make('Onestartup\Product\Controller\ProductController');
}
}
<?php
namespace Onestartup\Product\Controller;
use Illuminate\Http\Request;
use App\Http\Requests;
use App\Http\Controllers\Controller;
use Yajra\Datatables\Datatables;
use Onestartup\Product\Model\ProductCategory as Category;
use Onestartup\Product\Model\ProductImage as Gallery;
use Onestartup\Product\Model\Product;
class AdminProductController extends Controller
{
public function index()
{
return view('product::product.index');
}
/**
* Show the form for creating a new resource.
* @return Response
*/
public function create()
{
$categories = Category::pluck('name', 'id');
return view('product::product.create')
->with('categories', $categories);
}
/**
* Store a newly created resource in storage.
* @param Request $request
* @return Response
*/
public function store(Request $request)
{
$product = new Product($request->all());
$product->save();
return redirect()
->route('admin.product.edit', $product->id)
->with('message_success', "Producto guardado correctamente, continua agregando las imagenes correspondientes");
}
/**
* Show the form for editing the specified resource.
* @return Response
*/
public function edit($id)
{
$product = Product::find($id);
$categories = Category::pluck('name', 'id');
return view('product::product.edit')
->with('categories', $categories)
->with('product', $product);
}
/**
* Update the specified resource in storage.
* @param Request $request
* @return Response
*/
public function update(Request $request, $id)
{
$product = Product::find($id);
$product->fill($request->all());
$product->save();
return redirect()
->back()
->with('message_info', 'Información actualizada correctamente');
}
/**
* Remove the specified resource from storage.
* @return Response
*/
public function destroy($id)
{
$product = Product::find($id);
$product->delete();
return redirect()
->back()
->with('message_danger', 'Producto eliminada correctamente');
}
public function getProducts()
{
$products = Product::select([
'id',
'name',
'slug',
'category_id',
'created_at',
'description',
'features',
'specifications'
]);
return Datatables::of($products)
->addColumn('main', function ($product) {
return
"<p class='mb0'>Nombre: <b>$product->name</b></p>".
"<p class='mb0'>Slug: <b>$product->slug</b></p>".
"<p class='mb0'>Categoria: <b>".$product->category->name."</b></p>".
"<p class='mb0'>Fecha creación: <b>".$product->created_at->format('d/m/Y')."</b></p>";
})
->addColumn('form', function ($product) {
return "<form method='POST' action='".route('admin.product.destroy',$product->id)."'>".
"<input name='_method' type='hidden' value='DELETE' class='has-value'>".
csrf_field() .
"<button class='btn btn-danger btn-xs button-mb' onclick='return confirm();' type='submit'>".
"<i class='fas fa-trash-alt icon-special-size'></i>Eliminar</button>".
"</form>".
"<a href='".route('show.product', $product->slug)."' class='btn btn-xs info button-mb' target='new'>".
"<i class='fas fa-eye icon-special-size'></i>Ver</a>".
"<br><a href='".route('admin.product.edit', $product->id)."' class='btn btn-xs accent mb0'>".
"<i class='fas fa-edit icon-special-size'></i>Editar</a>";
})
->rawColumns(['main', 'description', 'features', 'specifications', 'form'])
->make();
}
public function storeGallery(Request $request, $product_id)
{
$product = Product::find($product_id);
$asset = '/storage/product/'.$product->id.'/gallery/';
$path = public_path().$asset;
$files = $request->file('file');
foreach($files as $file){
$fileName = $file->getClientOriginalName();
$nombre_file = str_replace(' ', '_', $fileName);
$file->move($path, $nombre_file);
$gallery = new Gallery([
'path'=>asset($asset.$nombre_file)
]);
$product->images()->save($gallery);
}
return $product;
}
public function deleteImage($id)
{
$gallery = Gallery::find($id);
$gallery->delete();
return redirect()
->back()
->with('message_danger', 'Imagen eliminada correctamente');
}
}
<?php
namespace Onestartup\Product\Controller;
use Illuminate\Http\Request;
use App\Http\Requests;
use App\Http\Controllers\Controller;
use Yajra\Datatables\Datatables;
use Onestartup\Product\Model\ProductCategory as Category;
class CategoryController extends Controller
{
/**
* Display a listing of the resource.
* @return Response
*/
public function index()
{
$categories = Category::paginate(25);
return view('product::category.index')
->with('categories', $categories);
}
/**
* Store a newly created resource in storage.
* @param Request $request
* @return Response
*/
public function store(Request $request)
{
$category = new Category($request->all());
if (isset($request->portada)) {
$file = $request->file('portada');
$nombre = $file->getClientOriginalName();
$nombre_file = str_replace(' ', '_', $nombre);
$ubicacion_donde_guarda ='product/categories/'.$nombre_file;
\Storage::disk('local')->put($ubicacion_donde_guarda, \File::get($file));
$category->cover = $ubicacion_donde_guarda;
}
$category->save();
return redirect()
->back()
->with('message_success', 'Categoria añadida correctamente');
}
/**
* Show the form for editing the specified resource.
* @return Response
*/
public function edit($id)
{
$category = Category::find($id);
return view('product::category.edit')
->with('category', $category);
}
/**
* Update the specified resource in storage.
* @param Request $request
* @return Response
*/
public function update(Request $request, $id)
{
$category = Category::find($id);
$category->fill($request->all());
if (isset($request->portada) && $request->portada != null ) {
$file = $request->file('portada');
$nombre = $file->getClientOriginalName();
$nombre_file = str_replace(' ', '_', $nombre);
$ubicacion_donde_guarda ='product/categories/'.$nombre_file;
\Storage::disk('local')->put($ubicacion_donde_guarda, \File::get($file));
$category->cover = $ubicacion_donde_guarda;
}
$category->save();
return redirect()
->back()
->with('message_success', 'Categoria actualizado correctamente');
}
/**
* Remove the specified resource from storage.
* @return Response
*/
public function destroy($id)
{
$category = Category::find($id);
$category->delete();
return redirect()
->back()
->with('message_danger', 'Categoria eliminada correctamente');
}
public function deleteCover($id)
{
$category = Category::find($id);
$category->cover = null;
$category->save();
return redirect()
->back()
->with('message_success', 'Imagen eliminada correctamente');
}
}
<?php
namespace Onestartup\Product\Controller;
use Illuminate\Http\Request;
use App\Http\Requests;
use App\Http\Controllers\Controller;
use Yajra\Datatables\Datatables;
//use Onestartup\Blog\Model\EntryCategory as Category;
class ProductController extends Controller
{
public function index(Request $request)
{
}
public function show($slug)
{
}
}
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateProductCategoriesTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('product_categories', function (Blueprint $table) {
$table->increments('id');
$table->string('name', 355);
$table->string('description', 455)->nullable();
$table->string('cover', 455)->nullable();
$table->boolean('active')->default(true);
$table->string('slug')->nullable();
$table->timestamps();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('product_categories');
}
}
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateProductsTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('products', function (Blueprint $table) {
$table->increments('id');
$table->string('name', 355);
$table->string('slug', 455);
$table->text('description')->nullable();
$table->text('specifications')->nullable();
$table->text('features')->nullable();
$table->boolean('active')->default(true);
$table->integer('category_id')->unsigned();
$table->foreign('category_id')
->references('id')
->on('product_categories')
->onDelete('cascade');
$table->timestamps();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('products');
}
}
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateProductImagesTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('product_images', function (Blueprint $table) {
$table->increments('id');
$table->string('path', 455);
$table->string('description', 455)->nullable();
$table->integer('product_id')->unsigned();
$table->foreign('product_id')
->references('id')
->on('products')
->onDelete('cascade');
$table->timestamps();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('product_images');
}
}
<?php
namespace Onestartup\Product\Model;
use Illuminate\Database\Eloquent\Model;
class Product extends Model
{
protected $table = 'products';
protected $fillable = [
'name',
'slug',
'description',
'specifications',
'features',
'active',
'category_id'
];
public function category()
{
return $this->belongsTo('Onestartup\Product\Model\ProductCategory', 'category_id');
}
public function images()
{
return $this->hasMany('Onestartup\Product\Model\ProductImage', 'product_id');
}
}
<?php
namespace Onestartup\Product\Model;
use Illuminate\Database\Eloquent\Model;
class ProductCategory extends Model
{
protected $table = 'product_categories';
protected $fillable = [
'name',
'description',
'cover',
'active',
'slug'
];
public function products()
{
return $this->hasMany('Onestartup\Product\Model\Product', 'category_id');
}
}
<?php
namespace Onestartup\Product\Model;
use Illuminate\Database\Eloquent\Model;
class ProductImage extends Model
{
protected $table = 'product_images';
protected $fillable = [
'path',
'description',
'product_id'
];
public function product()
{
return $this->belongsTo('Onestartup\Product\Model\Product', 'product_id');
}
}
<?php
Route::group(['middleware' => ['web', 'auth', 'is_admin']], function(){
Route::resource('admin/product/product', 'Onestartup\Product\Controller\AdminProductController', ['as'=>'admin']);
Route::resource('admin/product/category', 'Onestartup\Product\Controller\CategoryController', ['as'=>'admin.product']);
Route::delete('delete/cover/category/product/{id}', 'Onestartup\Product\Controller\CategoryController@deleteCover')
->name('delete.cover.category.product');
Route::get('admin/products/datatable', 'Onestartup\Product\Controller\AdminProductController@getProducts')
->name('datatable.products');
Route::post('admin/product/{id}/gallery', 'Onestartup\Product\Controller\AdminProductController@storeGallery')
->name('admin.product.files.store');
Route::delete('admin/product/delete/gallery/{id}', 'Onestartup\Product\Controller\AdminProductController@deleteImage')
->name('admin.product.gallery.delete');
});
Route::group(['middleware' => ['web']], function(){
Route::get('product/{slug}', 'Onestartup\Product\Controller\ProductController@show')->name('show.product');
Route::get('products', 'Onestartup\Product\Controller\ProductController@index')->name('main.product');
});
@extends('crm-admin::main-layout')
@section('content')
<div class='row'>
<div class='col-md-12'>
<div class='box'>
<div class='box-header dark'>
<h2>Actualizar información</h2>
</div>
<div class='box-body'>
<div class='col-md-12'>
{!! Form::model($category,['route'=> ['admin.product.category.update',$category->id],"method"=>"PUT", 'enctype'=>'multipart/form-data']) !!}
@include('product::category.fields')
</div>
</div>
<div class='dker p-a text-right'>
<div class='col-md-12'>
<a class='btn danger' href="{{route('admin.product.category.index')}}">Cancelar</a>
{!! Form::submit('Actualizar información', ['class'=>'btn dark']) !!}
{!! Form::close() !!}
</div>
</div>
</div>
</div>
</div>
<!-- .modal nuevo contrato -->
<div class='modal fade' data-backdrop='true' id='ver'>
<div class='modal-dialog modal-lg'>
<div class='modal-content box-shadow-z3'>
<div class='modal-body text-center p-lg'>
@if ($category->cover == null)
<h4> No hay imagen asignada</h4>
@else
<img class='image-modal-preview' src="{{asset('storage/'.$category->cover)}}">
@endif
</div>
<div class='modal-footer'>
<button class='btn dark p-x-md' data-dismiss='modal' type='button'>Cerrar</button>
@if($category->cover != null)
{!! Form::open(['route'=> ['delete.cover.category.product',$category->id],'method'=>'DELETE'])!!}
<button class='btn btn-danger button-mb' onclick="return confirm('¿Estás seguro de eliminar este elemento?');" type='submit'>
<i class='fas fa-trash-alt icon-special-size'>
Eliminar
</i>
</button>
{!! Form::close()!!}
@endif
</div>
</div>
<!-- /.modal-content -->
</div>
</div>
@endsection
<div class="form-group">
{!! Form::label('name', 'Nombre *') !!}
{!! Form::text('name', null, ["class"=>"form-control", "required"=>"required", "placeholder"=>"Coloque aquí el nombre de la categoría", "id"=>"first"]) !!}
</div>
<div class="form-group">
{!! Form::label('slug', 'URL Slug *') !!}
{!! Form::text('slug', null, ["class"=>"form-control", "required"=>"required", "placeholder"=>"Coloque aquí la liga o URL de la categoría", "id"=>"second"]) !!}
</div>
<div class="form-group">
{!! Form::label('description', 'Resumen') !!}
{!! Form::text('description', null, ["class"=>"form-control", "placeholder"=>"Coloque la información descriptiva de la categoría"]) !!}
</div>
<div class="form-group">
{!! Form::label('active', 'Estado') !!}
{!! Form::select('active', [true=>'Activo', false=>'Inactivo'], null, ["class"=>"form-control", "required"=>"required"]) !!}
</div>
<div class="form-group">
{!! Form::label('portada', 'Imagén de portada') !!}
@if (isset($category))
<span>
<a class="btn btn-xs accent" data-target="#ver" data-toggle="modal" href="#" ui-toggle-class="fade-up-big">
Ver actual
<i class="fa fa-eye"></i>
</a>
</span>
@endif
<br>
{!! Form::file('portada', null, ["class"=>"form-control"]) !!}
</div>
\ No newline at end of file
@extends('crm-admin::main-layout')
@section('content')
<div class='row'>
<div class='col-md-12 collapse' id='agregarCategoria'>
<div class='box'>
<div class='box-header dark'>
<h2>
Agregar nueva categoria
<span></span>
<a aria-expanded='false' class='btn btn-xs btn-danger button-ml' data-toggle='collapse' href='#agregarCategoria'>
Cancelar
</a>
</h2>
</div>
<div class='box-body'>
<div class='col-md-12'>
{!! Form::open(['route'=> 'admin.product.category.store','method'=>'POST', 'enctype'=>'multipart/form-data']) !!}
@include('product::category.fields')
<div class='form-group'>
<button class='btn btn-primary' type='submit'>
Registrar
</button>
</div>
{!! Form::close() !!}
</div>
</div>
</div>
</div>
<div class='col-md-12'>
<div class='box'>
<div class='box-header dark'>
<h2>
Listado de Categorias de productos
<span>
<a aria-expanded='false' class='btn btn-xs btn-info button-ml' data-toggle='collapse' href='#agregarCategoria'>
<i class='fas fa-plus'></i>
Agregar Categorías
</a>
</span>
</h2>
</div>
<div class='box-body'>
<div class='col-md-12'>
<table class='table'>
<tr>
<th>#</th>
<th>Categoría</th>
<th>Descripción</th>
<th>Productos</th>
<th></th>
</tr>
@foreach ($categories as $category)
<tr>
<td> {{$category->id}}</td>
<td>
<p> {{$category->name}}</p>
<p>
URL Slug:
<b> {{$category->slug}}</b>
</p>
</td>
<td> {{$category->description}}</td>
<td> {{$category->products->count()}}</td>
<td>
{!! Form::open(['route'=> ['admin.product.category.destroy',$category->id],'method'=>'DELETE'])!!}
<button class='btn btn-danger btn-xs button-mb' onclick="return confirm('¿Estás seguro de eliminar este elemento?');" type='submit'>
<i class='fas fa-trash-alt icon-special-size'></i>
Eliminar
</button>
{!! Form::close()!!}
<a class='btn btn-xs accent' href="{{route('admin.product.category.edit', $category->id)}}">
<i class='fas fa-edit icon-special-size'></i>
Editar
</a>
</td>
@endforeach
</tr>
</table>
</div>
</div>
<div class='dker p-a text-right'>
{{ $categories->links() }}
</div>
</div>
</div>
</div>
@endsection
@extends('crm-admin::main-layout')
@section('content')
<div class='row'>
<div class='col-md-12'>
<div class='box'>
<div class='box-header dark'>
<h2>Actualizar información</h2>
</div>
<div class='box-body'>
{!! Form::open(['route'=> 'admin.product.store','method'=>'POST', "id"=>"target"]) !!}
@include('product::product.fields')
</div>
<div class='dker p-a text-right'>
<div class='col-md-12'>
<a class='btn danger' href="{{route('admin.product.index')}}" style='margin-right:10px'>Cancelar</a>
<button class='btn dark' type='submit'>
Registrar
</button>
{!! Form::close() !!}
</div>
</div>
</div>
</div>
</div>
@endsection
@section('script_extras')
<script src='https://cdn.ckeditor.com/4.8.0/standard/ckeditor.js'></script>
<script>
var options = {
filebrowserImageBrowseUrl: '/laravel-filemanager?type=Images',
filebrowserImageUploadUrl: '/laravel-filemanager/upload?type=Images&_token=',
filebrowserBrowseUrl: '/laravel-filemanager?type=Files',
filebrowserUploadUrl: '/laravel-filemanager/upload?type=Files&_token='
};
</script>
<script>
CKEDITOR.replace('description', options);
CKEDITOR.replace('features', options);
CKEDITOR.replace('specifications', options);
</script>
@endsection
@extends('crm-admin::main-layout')
@section('css_extras')
<link href="https://cdnjs.cloudflare.com/ajax/libs/dropzone/5.4.0/min/dropzone.min.css" rel='stylesheet' type='text/css'>
@endsection
@section('content')
<div class='row'>
<div class='col-md-12'>
<div class='box'>
<div class='box-header dark'>
<h2>Actualizar información del producto</h2>
</div>
<div class='box-body'>
{!! Form::model($product,['route'=> ['admin.product.update', $product->id],"method"=>"PUT"]) !!}
@include('product::product.fields')
</div>
<div class='dker p-a text-right'>
<div class='col-md-12'>
<a class='btn danger' href="{{route('admin.product.index')}}" style='margin-right:10px'>Cancelar</a>
{!! Form::submit('Actualizar información', ['class'=>'btn dark']) !!}
{!! Form::close() !!}
</div>
</div>
</div>
</div>
</div>
<div class='row'>
<div class='col-md-12'>
<div class='box'>
<div class='box-header dark'>
<h2>Galeria de imagenes</h2>
</div>
<div class='box-body'>
<div class="row">
<div class="col-md-6">
{!! Form::open(['route'=> ['admin.product.files.store', $product->id], 'method' => 'POST', 'files'=>'true', 'id' => 'my-dropzone' , 'class' => 'dropzone']) !!}
<div class="dz-message" style="height:200px;">
Arrastra las imagenes aqui
</div>
<div class="dropzone-previews"></div>
<button type="submit" class="btn btn-success" id="submitFiles">Save</button>
{!! Form::close() !!}
</div>
<div class="col-md-6">
@if($product->images->count() > 0)
<div class="row">
@foreach($product->images as $img)
<div class="col-md-4">
<img src="{{$img->path}}" width="100%">
{!! Form::open(['route'=> ['admin.product.gallery.delete',$img->id],'method'=>'DELETE'])!!}
<button class='btn btn-danger btn-block' onclick="return confirm('¿Estás seguro de eliminar este elemento?');" type='submit'>
<i class='fas fa-trash-alt icon-special-size'></i>
Eliminar
</button>
{!! Form::close()!!}
</div>
@endforeach
</div>
@endif
</div>
</div>
</div>
</div>
</div>
</div>
@endsection
@section('script_extras')
<script src='https://cdn.ckeditor.com/4.8.0/standard/ckeditor.js'></script>
<script>
var options = {
filebrowserImageBrowseUrl: '/laravel-filemanager?type=Images',
filebrowserImageUploadUrl: '/laravel-filemanager/upload?type=Images&_token=',
filebrowserBrowseUrl: '/laravel-filemanager?type=Files',
filebrowserUploadUrl: '/laravel-filemanager/upload?type=Files&_token='
};
</script>
<script>
CKEDITOR.replace('description', options);
CKEDITOR.replace('features', options);
CKEDITOR.replace('specifications', options);
</script>
<script type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/dropzone/5.4.0/min/dropzone.min.js"></script>
<script type="text/javascript">
Dropzone.options.myDropzone = {
autoProcessQueue: false,
uploadMultiple: true,
maxFilezise: 10,
maxFiles: 5,
init: function() {
var submitBtn = document.querySelector("#submitFiles");
myDropzone = this;
submitBtn.addEventListener("click", function(e){
e.preventDefault();
e.stopPropagation();
myDropzone.processQueue();
});
this.on("addedfile", function(file) {
//alert("file uploaded");
});
this.on("complete", function(file) {
myDropzone.removeFile(file);
//alert('que pex');
});
this.on("success", function(myDropzone){
swal({
title: "Finalizado",
text: "Tus imagénes subieron correctamente",
icon: "success",
closeOnEsc: false,
closeOnClickOutside: false,
}).then((value) => {
location.reload();
});
myDropzone.processQueue.bind(myDropzone)
});
}
};
</script>
@endsection
<div class="row">
<div class="col-md-6">
<div class="form-group">
{!! Form::label('name', 'Nombre', ['class'=>'control-label'])!!}
{!! Form::text('name', null, ["class"=>"form-control", "required"=>"required", "id"=>"first"]) !!}
</div>
</div>
<div class="col-md-6">
<div class="form-group">
{!! Form::label('slug', 'URL Slug', ['class'=>'control-label'])!!}
{!! Form::text('slug', null, ["class"=>"form-control", "required"=>"required", "id"=>"second"]) !!}
</div>
</div>
</div>
<div class='row'>
<div class='col-md-6'>
<div class="form-group" >
{!! Form::label('active', 'Estado', ['class'=>'control-label'])!!}
{!! Form::select('active', [true=>'Activo', false=>'Inactivo'], null, ["class"=>"form-control", "required"=>"required"]) !!}
</div>
</div>
<div class='col-md-6'>
<div class="form-group" >
{!! Form::label('category_id', 'Categoria', ['class'=>'control-label'])!!}
{!! Form::select('category_id', $categories, null, ["class"=>"form-control", "required"=>"required"]) !!}
</div>
</div>
</div>
<div class="row">
<div class="col-md-6">
{!! Form::label('description', 'Descripción', ['class'=>'control-label'])!!}
{!! Form::textarea('description', null, ["class"=>"form-control", "required"=>"required", 'id'=>'body', 'rows'=>"30", 'cols'=>"80"]) !!}
</div>
<div class="col-md-6">
{!! Form::label('features', 'Características', ['class'=>'control-label'])!!}
{!! Form::textarea('features', null, ["class"=>"form-control", "required"=>"required", 'id'=>'body', 'rows'=>"30", 'cols'=>"80"]) !!}
</div>
</div>
<div class="row">
<div class="col-md-6">
{!! Form::label('specifications', 'Especificaciones', ['class'=>'control-label'])!!}
{!! Form::textarea('specifications', null, ["class"=>"form-control", "required"=>"required", 'id'=>'body', 'rows'=>"30", 'cols'=>"80"]) !!}
</div>
</div>
@extends('crm-admin::main-layout')
@section('content')
<div class='row'>
<div class='col-md-12'>
<div class='box'>
<div class='box-header dark'>
<h2>
Listado de productos
<span>
<a class='btn btn-xs btn-info button-ml' href="{{route('admin.product.create')}}">
<i class='fas fa-plus'></i>
Agregar producto
</a>
</span>
</h2>
</div>
<div class='box-body'>
<table class='table' id='products'>
<thead>
<tr>
<th>#</th>
<th>Producto</th>
<th>Descripcion</th>
<th>Caracteristicas</th>
<th>Especificaciones</th>
<th></th>
</tr>
</thead>
</table>
</div>
</div>
</div>
</div>
@endsection
@push('scripts')
<script>
$(function() {
$('#products').DataTable({
processing: true,
serverSide: true,
pageLength: 25,
ajax: '{{ route("datatable.products") }}',
columns: [
{data: 'id', name: 'id'},
{data: 'main', name: 'main'},
{data: 'description', name: 'description'},
{data: 'features', name: 'features'},
{data: 'specifications', name: 'specifications'},
{data: 'form', name: 'form'},
]
});
});
</script>
@endpush
{!! Form::open(['route'=> ['add.comment', $post->slug],'method'=>'POST']) !!}
{!! Form::label('name', 'Nombre', ['class'=>'control-label']) !!}<br>
{!! Form::text('name', null, ["required"=>"required"]) !!}<br>
{!! Form::label('email', 'Correo', ['class'=>'control-label']) !!}<br>
{!! Form::email('email', null, ["required"=>"required"]) !!}<br>
{!! Form::label('comment', 'Deja tu comentario', ['class'=>'control-label']) !!}<br>
{!! Form::textarea('comment', null, ["required"=>"required", "cols"=>"30", "rows"=>"5"]) !!}<br>
{!! Form::submit('Enviar comentario', ['class' => 'btn btn-submit']) !!}
{!! Form::close() !!}
\ No newline at end of file
<!DOCTYPE html>
<html>
<head>
<title>
{{$post->title or "Titulo general"}}
</title>
@include('blog-public::metatags')
</head>
<body>
{{-- Aqui toda la estructura del blog--}}
@yield('content')
{{-- Aqui el footer --}}
<!-- Importante: scripts elementales no remover -->
<script src='https://unpkg.com/sweetalert/dist/sweetalert.min.js'></script>
<script src='https://cdn.jsdelivr.net/jquery.jssocials/1.4.0/jssocials.min.js' type='text/javascript'></script>
<script src='//s7.addthis.com/js/300/addthis_widget.js#pubid=ra-5a139cd3addf2e26' type='text/javascript'></script>
@if(Session::has('comment'))
<script type="text/javascript">
swal("Gracias por tu comentario", "Tu comentario está siendo moderado", "success")
</script>
@endif
<!-- ******************************************* -->
@yield('scripts_extra')
</body>
</html>
\ No newline at end of file
@extends('blog-public::layout')
@section('content')
Listado de entradas
<p>
Categorias:
{{$categories}}
</p>
<p>
Entradas todas
{{$posts}}
</p>
<p>
Entradas al azar
{{$otros}}
</p>
<p>
Paginacion:
{!! $posts->links() !!}
</p>
@endsection
\ No newline at end of file
<meta content='text/html; charset=UTF-8' http-equiv='Content-Type'>
<meta charset='utf-8'>
<meta content='ie=edge' http-equiv='x-ua-compatible'>
<meta content='' name='description'>
<meta content='width=device-width, initial-scale=1' name='viewport'>
<meta content="{{isset($post) ? strip_tags(substr($post->body, 0, 120), '') :'Descripcion general del blog'}}" name='description'>
<link href="{{isset($post) ? route('show.blog', $post->slug) : route('main.blog')}}" rel='canonical'>
<meta content='es_MX' property='og:locale'>
<meta content='website' property='og:type'>
<meta content="{{$post->title or 'Titulo general del blog'}}" property='og:title'>
<meta content="{{isset($post) ? strip_tags(substr($post->body, 0, 120), '') :'Descripcion general del blog'}}" property='og:description'>
<meta content="{{isset($post) ? route('show.blog', $post->slug) : route('main.blog')}}" property='og:url'>
<meta content='ODESSA' property='og:site_name'>
<meta content="{{isset($post) ? asset('storage').'/'.$post->cover : asset('assets/img/Odessa-Seguros-alta-2.png')}}" property='og:image'>
<meta content="{{isset($post) ? asset('storage').'/'.$post->cover : asset('assets/img/Odessa-Seguros-alta-2.png')}}" property='og:image:secure_url'>
<meta content='summary' name='twitter:card'>
<meta content="{{isset($post) ? strip_tags(substr($post->body, 0, 120), '') :'Descripcion general del blog'}}" name='twitter:description'>
<meta content="{{$post->title or 'titulo general del blog'}}" name='twitter:title'>
<meta content='@odessa_seguros' name='twitter:site'>
<meta content="{{isset($post) ? asset('storage').'/'.$post->cover : asset('assets/img/Odessa-Seguros-alta-2.png')}}" name='twitter:image'>
<meta content='@odessa_seguros' name='twitter:creator'>
@extends('blog-public::layout')
@section('content')
<h1>
Titulo: {{$post->title}}
</h1>
<p>Portada:</p>
<img width="150" src="{{asset('storage/'.$post->cover)}}">
<p>
Publicacion: {{$post->publication_date}}
</p>
<p>
Tags: {{$post->tags}}
</p>
<p>
Categoria: {{$post->category->name}}
</p>
<p>
Contenido: {!! $post->body !!}
</p>
<p>
Categorias: Listado de categorias:
</p>
<ul>
@foreach($categories as $category)
<li>
{{$category->name}}
</li>
@endforeach
</ul>
<p>
Listado de post relacionados con sus tags:
</p>
<ul>
@foreach($otros as $entry)
<li>
<img width="100" src="{{asset('storage/'.$entry->cover)}}">
<a href="{{route('show.blog', $entry->slug)}}">
{{$entry->title}}
</a>
</li>
@endforeach
</ul>
{{-- Caja de compartir con redes sociales--}}
<div class="addthis_inline_share_toolbox_le2j"></div>
{{-- *********************************** --}}
{{-- Listado de comentarios de la entrada--}}
@if($comments->count() > 0)
<p>Listado de comentarios</p>
<ul>
@foreach($comments as $comment)
<li>
{{$comment}}
</li>
@endforeach
</ul>
@else
<h4>No hay comentarios</h4>
@endif
{{-- *********************************** --}}
{{-- Formulario para hacer comentarios --}}
@include('blog-public::form-comments')
{{-- *********************************** --}}
@endsection
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment