• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

amsgames/laravel-shop: Laravel shop package

原作者: [db:作者] 来自: 网络 收藏 邀请

开源软件名称(OpenSource Name):

amsgames/laravel-shop

开源软件地址(OpenSource Url):

https://github.com/amsgames/laravel-shop

开源编程语言(OpenSource Language):

PHP 93.7%

开源软件介绍(OpenSource Introduction):

ITwrx fork of LARAVEL SHOP (minor changes for Laravel 5.2 Compatibility)

Latest Stable Version Total Downloads Latest Unstable Version License

Laravel Shop is flexible way to add shop functionality to Laravel 5.2. Aimed to be the e-commerce solution for artisans.

Laravel shop adds shopping cart, orders and payments to your new or existing project; letting you transform any model into a shoppable item.

Supports

PayPal Omnipay

Contents

Scope

Current version includes:

  • Shop Items (transforms existing models into shoppable items that can be added to cart and orders)
  • Cart
  • Orders
  • Transactions
  • Payment gateways support
  • PayPal
  • Events

On the horizon:

  • Guest user cart
  • Shipping orders
  • Coupons
  • Product and variations solution
  • Backend dashboard
  • Frontend templates

Installation

With composer

composer require amsgames/laravel-shop

Or add

"amsgames/laravel-shop": "0.2.*"

to your composer.json. Then run composer install or composer update.

Then in your config/app.php add

Amsgames\LaravelShop\LaravelShopProvider::class,

in the providers array.

Then add

'Shop'      => Amsgames\LaravelShop\LaravelShopFacade::class,

in the aliases array.

Configuration

Set the configuration values in the config/auth.php file. This package will use them to refer to the user table and model.

Publish the configuration for this package to further customize table names, model namespaces, currencies and other values. Run the following command:

php artisan vendor:publish

A shop.php file will be created in your app/config directory.

Database Setup

Generate package migration file:

php artisan laravel-shop:migration

The command below will generate a new migration file with database commands to create the cart and item tables. The file will be located in database/migrations. Add additional fields if needed to fill your software needs.

The command will also create a database seeder to fill shop catalog of status and types.

Create schema in database:

php artisan migrate

Add the seeder to database/seeds/DatabaseSeeder.php:

class DatabaseSeeder extends Seeder
{

  public function run()
  {
    Model::unguard();

    $this->call('LaravelShopSeeder');

    Model::reguard();
  }

}

Run seeder (do composer dump-autoload first):

php artisan db:seed

Models

The following models must be created for the shop to function, these models can be customizable to fir your needs.

Item

Create a Item model:

php artisan make:model Item

This will create the model file app/Item.php, edit it and make it look like (take in consideration your app's namespace):

<?php

namespace App;

use Amsgames\LaravelShop\Models\ShopItemModel;

class Item extends ShopItemModel
{
}

The Item model has the following main attributes:

  • id — Item id.
  • sku — Stock Keeping Unit, aka your unique product identification within your store.
  • price — Item price.
  • tax — Item tax. Defaulted to 0.
  • shipping — Item shipping. Defaulted to 0.
  • currency — Current version of package will use USD as default.
  • quantity — Item quantity.
  • class — Class reference of the model being used as shoppable item. Optional when using array data.
  • reference_id — Id reference of the model being used as shoppable item. Optional when using array data.
  • user_id — Owner.
  • displayPrice — Price value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • displayTax — Tax value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • displayShipping — Tax value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • displayName — Based on the model's item name property.
  • shopUrl — Based on the model's item route property.
  • wasPurchased — Flag that indicates if item was purchased. This base on the status set in config file.
  • created_at — When the item record was created in the database.
  • updated_at — Last time when the item was updated.

Business definition: Item used as a cart item or an order item.

Cart

Create a Cart model:

php artisan make:model Cart

This will create the model file app/Cart.php, edit it and make it look like (take in consideration your app's namespace):

<?php

namespace App;

use Amsgames\LaravelShop\Models\ShopCartModel;

class Cart extends ShopCartModel 
{
}

The Item model has the following main attributes:

  • id — Cart id.
  • user_id — Owner.
  • items — Items in cart.
  • count — Total amount of items in cart.
  • totalPrice — Total price from all items in cart.
  • totalTax — Total tax from all items in cart, plus global tax set in config.
  • totalShipping — Total shipping from all items in cart.
  • total — Total amount to be charged, sums total price, total tax and total shipping.
  • displayTotalPrice — Total price value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • displayTotalTax — Total tax value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • displayTotalShipping — Total shipping value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • displayTotal — Total amount value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • created_at — When the cart record was created in the database.
  • updated_at — Last time when the cart was updated.

Order

Create a Order model:

php artisan make:model Order

This will create the model file app/Order.php, edit it and make it look like (take in consideration your app's namespace):

<?php

namespace App;

use Amsgames\LaravelShop\Models\ShopOrderModel;

class Order extends ShopOrderModel 
{
}

The Order model has the following main attributes:

  • id — Order id or order number.
  • user_id — Owner.
  • items — Items in order.
  • transactions — Transactions made on order.
  • statusCode — Status code.
  • count — Total amount of items in order.
  • totalPrice — Total price from all items in order.
  • totalTax — Total tax from all items in order, plus global tax set in config.
  • totalShipping — Total shipping from all items in order.
  • total — Total amount to be charged, sums total price, total tax and total shipping.
  • displayTotalPrice — Total price value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • displayTotalTax — Total tax value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • displayTotalShipping — Total shipping value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • displayTotal — Total amount value formatted for shop display. i.e. "$9.99" instead of just "9.99".
  • created_at — When the order record was created in the database.
  • updated_at — Last time when the order was updated.

Transaction

Create a Transaction model:

php artisan make:model Transaction

This will create the model file app/Transaction.php, edit it and make it look like (take in consideration your app's namespace):

<?php

namespace App;

use Amsgames\LaravelShop\Models\ShopTransactionModel;

class Transaction extends ShopTransactionModel 
{
}

The Order model has the following main attributes:

  • id — Order id or order number.
  • order — Items in order.
  • gateway — Gateway used.
  • transaction_id — Transaction id returned by gateway.
  • detail — Detail returned by gateway.
  • token — Token for gateway callbacks.
  • created_at — When the order record was created in the database.
  • updated_at — Last time when the order was updated.

User

Use the ShopUserTrait trait in your existing User model. By adding use Amsgames\LaravelShop\Traits\ShopUserTrait and use ShopUserTrait like in the following example:

<?php

use Amsgames\LaravelShop\Traits\ShopUserTrait;

class User extends Model {

	use Authenticatable, CanResetPassword, ShopUserTrait;

}

This will enable the relation with Cart and shop needed methods and attributes.

  • cart — User's cart.
  • items — Items (either order or cart).
  • orders — User's orders.

Existing Model Conversion

Laravel Shop package lets you convert any existing Eloquent model to a shoppable item that can be used within the shop without sacrificing any existing functionality. This feature will let the model be added to carts or orders. The will require two small steps:

Use the ShopItemTrait in your existing model. By adding use Amsgames\LaravelShop\Traits\ShopItemTrait and use ShopItemTrait like in the following example:

<?php

use Amsgames\LaravelShop\Traits\ShopItemTrait;

class MyCustomProduct extends Model {

	use ShopItemTrait;

	// MY METHODS AND MODEL DEFINITIONS........

}

Add sku (string) and price (decimal, 20, 2) fields to your model's table. You can also include name (string), tax (decimal, 20, 2) and shipping (decimal, 20, 2), although these are optional. You can do this by creating a new migration:

php artisan make:migration alter_my_table

Define migration to look like the following example:

<?php

class AlterMyTable extends Migration {

	public function up()
	{
		Schema::table('MyCustomProduct', function($table)
		{
			$table->string('sku')->after('id');
			$table->decimal('price', 20, 2)->after('sku');
			$table->index('sku');
			$table->index('price');
		});
	}

	public function down()
	{
		// Restore type field
		Schema::table('MyCustomProduct', function($table)
		{
			$table->dropColumn('sku');
			$table->dropColumn('price');
		});
	}

}

Run the migration:

php artisan migrate
Item name

By default, Laravel Shop will look for the name attribute to define the item's name. If your exisintg model has a different attribute assigned for the name, simply define it in a property within your model:

<?php

use Amsgames\LaravelShop\Traits\ShopItemTrait;

class MyCustomProduct extends Model {

	use ShopItemTrait;

	/**
	 * Custom field name to define the item's name.
	 * @var string
	 */
	protected $itemName = 'product_name';

	// MY METHODS AND MODEL DEFINITIONS........

}
Item url

You can define the URL attribute of the item by setting itemRouteName and itemRouteParams class properties. In the following example the url defined to show the product's profile is product/{slug}, the following changes must be applied to the model:

<?php

use Amsgames\LaravelShop\Traits\ShopItemTrait;

class MyCustomProduct extends Model {

	use ShopItemTrait;

    /**
     * Name of the route to generate the item url.
     *
     * @var string
     */
    protected $itemRouteName = 'product';

    /**
     * Name of the attributes to be included in the route params.
     *
     * @var string
     */
    protected $itemRouteParams = ['slug'];

	// MY METHODS AND MODEL DEFINITIONS........

}

Dump Autoload

Dump composer autoload

composer dump-autoload

Payment Gateways

Installed payment gateways can be configured and added in the gateways array in the shop.php config file, like:

'gateways' => [
    'paypal'            =>  Amsgames\LaravelShopGatewayPaypal\GatewayPayPal::class,
    'paypalExpress'     =>  Amsgames\LaravelShopGatewayPaypal\GatewayPayPalExpress::class,
],

PayPal

Laravel Shop comes with PayPal support out of the box. You can use PayPal's Direct Credit Card or PayPal Express payments.

To configure PayPal and know how to use the gateways, please visit the PayPal Gateway Package page.

Omnipay

Install Omnipay Gateway to enable other payment services like 2Checkout, Authorize.net, Stripe and to name a few.

You might need to get some extra understanding about how Omnipay works.

Usage

Shop

Shop methods to consider:

Format prices or other values to the price format specified in config:

$formatted = Shop::format(9.99);
// i.e. this will return $9.99 or the format set in the config file.

Purchase Flow

With Laravel Shop you can customize things to work your way, although we recommend standarize your purchase or checkout flow as following (will explain how to use the shop methods below):

Purchase Flow

  • (Step 1) - User views his cart.
  • (Step 2) - Continues into selecting the gateway to use.
  • (Step 3) - Continues into feeding the gateway selected with required information.
  • (Step 4) - Checkouts cart and reviews cart before placing order.
  • (Step 5) - Places order.

Payment Gateway

Before any shop method is called, a payment gateway must be set:

// Select the gateway to use
Shop::setGateway('paypal');

echo Shop::getGateway(); // echos: paypal

You can access the gateway class object as well:

$gateway = Shop::gateway();

echo $gateway; // echos: [{"id":"paypal"}] 

Checkout

Once a payment gateway has been selected, you can call cart to checkout like this:

// Checkout current users' cart
$success = Shop::checkout();

// Checkout q specific cart
$success = Shop::checkout($cart);

This will call the onCheckout function in the payment gateway and perform validations. This method will return a bool flag indication if operation was successful.

Order Placement

Once a payment gateway has been selected and user has checkout, you can call order placement like:

// Places order based on current users' cart
$order = Shop::placeOrder();

// Places order based on a specific cart
$order = Shop::placeOrder($cart);

NOTE: placeOrder() will create an order, relate all the items in cart to the order and empty the cart. The Order model doen't include methods to add or remove items, any modification to the cart must be done before the order is placed. Be aware of this when designing your checkout flow.

This will call the onCharge function in the payment gateway and charge the user with the orders' total amount. placeOrder() will return an Order model with which you can verify the status and retrieve the transactions generated by the gateway.

Payments

Payments are handled gateways, this package comes with PayPal out of the box.

You can use PayPal's Direct Credit Card or PayPal Express payments.

To configure PayPal and know how to use its gateways, please visit the PayPal Gateway Package page.

Exceptions

If checkout or placeOrder had errores, you can call and see the exception related:

// On checkout
if (!Shop::checkout()) {
  $exception = Shop::exception();
  echo $exception->getMessage(); // echos: error
}

// Placing order
$order = Shop::placeOrder();

if ($order->hasFailed) {
  $exception = Shop::exception();
  echo $exception->getMessage(); // echos: error
}

Critical exceptions are stored in laravel's log.

Shopping Cart

Carts are created per user in the database, this means that a user can have his cart saved when logged out and when he switches to a different device.

Let's start by calling or creating the current user's cart:

// From cart
$cart = Cart::current();
// Once a cart has been created, it can be accessed from user
$user->cart;

Note: Laravel Shop doen not support guest at the moment.

Get the cart of another user:

$userId = 1;

$cart = Cart::findByUser($userId);

Adding Items

Lest add one item of our test and existing model MyCustomProduct:

$cart = Cart::current()->add(MyCustomProduct::find(1));

By default the add method will set a quantity of 1.

Instead lets add 3 MyCustomProduct;

$cart = Cart::current();

$cart->add(MyCustomProduct::find(1), 3);

Only one item will be created per sku in the cart. If an item of the same sku is added, just on item will remain but its quantity will increase:

$product = MyCustomProduct::find(1);

// Adds 1
$cart->add($product);

// Adds 3
$cart->add($product, 3);

// Adds 2
$cart->add($product, 2);

echo $cart->count; // echos: 6

$second_product = MyCustomProduct::findBySKU('TEST');

// Adds 2 of product 'TEST'
$cart->add($second_product, 2);

// Count based on quantity
echo $cart->count; // echos: 8

// Count based on products
echo $cart->items->count(); // echos: 2

We can reset the quantity of an item to a given value:

// Add 3
$cart->add($product, 3);

echo $cart->count; // echos: 3

// Reset quantity to 4
$cart->add($product, 4, $forceReset = true);

echo $cart->count; // echos: 4

上一篇:
GrahamCampbell/Laravel-Markdown: A CommonMark wrapper for Laravel发布时间:2022-07-07
下一篇:
caffeinated/modules: Modules package for Laravel发布时间:2022-07-07
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap