2

正面

namespace App\Webshop\Facades;

use Illuminate\Support\Facades\Facade;

class Webshop extends Facade
{
    /**
     * @return string
     */
    protected static function getFacadeAccessor()
    {
        return \App\Webshop\Webshop::class;
    }
}

服务提供者

namespace App\Webshop;

use Illuminate\Support\ServiceProvider;

class WebshopServiceProvider extends ServiceProvider
{
    /**
     * @return void
     */
    public function register()
    {
        $this->app->bind(\App\Webshop\Webshop::class, function() {
            return new Webshop(new Cart(), new Checkout());
        });

        // or

        $this->app->singleton(\App\Webshop\Webshop::class, function() {
            return new Webshop(new Cart(), new Checkout());
        });
    }
}

网上商店

namespace App\Webshop;

class Webshop
{
    /**
     * @var Cart $cart
     */
    private $cart;

    /**
     * @var Checkout $checkout
     */
    private $checkout;

    public function __construct(Cart $cart, Checkout $checkout)
    {
        $this->cart = $cart;
        $this->checkout = $checkout;
    }

    /**
     * @return Cart
     */
    public function cart()
    {
        return $this->cart;
    }

    /**
     * @return Checkout
     */
    public function checkout()
    {
        return $this->checkout;
    }
}

当我运行时:

Route::get('test1', function () {
    Webshop::cart()->add(1); // Product id
    Webshop::cart()->add(2); // Product id

    dd(Webshop::cart()->totalPrice());
});

它倾倒“24.98”(价格计算)

但是当我运行时:

Route::get('test2', function () {
    dd(Webshop::cart()->totalPrice());
}); 

它显示“0”

我认为问题出在 ServiceProvider 中,因为当它注册时,它会创建新的对象CartCheckout

我该如何解决这个问题?

4

1 回答 1

-1

编辑:除了使用单例之外,您的代码永远不会将购物车信息保存到会话或数据库中。PHP 在脚本执行后不会持久化对象。您需要设计您的购物车以保留信息。

为此,您需要一个单身人士。更改$this->app->bind$this->app->singleton您的服务提供商。http://www.phptherightway.com/pages/Design-Patterns.html

Laravel 会为你做这件事,你需要做的就是将它绑定为服务提供者中的单例。

于 2017-05-23T12:46:30.420 回答