2017 © Pedro Peláez
 

library housekeeper

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

image

aaronjan/housekeeper

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  • Monday, February 5, 2018
  • by AaronJan
  • Repository
  • 3 Watchers
  • 26 Stars
  • 223 Installations
  • PHP
  • 0 Dependents
  • 0 Suggesters
  • 2 Forks
  • 1 Open issues
  • 34 Versions
  • 0 % Grown

The README.md

Housekeeper , (*1)

Latest Stable Version License, (*2)

Housekeeper - Laravel

After nearly six months developing, testing and polishing, the first stable version of Housekeeper 2 is finally released!, (*3)

Housekeeper aims to be the coolest, handiest Repository Pattern implementation, any useful suggestion and PR are welcomed., (*4)

Increasing unit test code coverage is a work in progress (lots of works), but there is a set of integration tests running locally that covered most code., (*5)

Introduction

Housekeeper is a flexable and powerful Repository Pattern implemention for Laravel. In addition to the basic Repository Pattern and elegant syntax, Housekeeper has features like Injection system, Auto-Booting Method that will let you creating endless possibilities. The goal of Housekeeper is free you from the redundant and boring DAL stuff, coding more intuitively., (*6)

Sections

Repository Pattern and Housekeeper

The Repository Pattern is a software design pattern. In a nutshell, it means to encapsulate your data interaction code as methods that belong to different classes (Base on data domain), we call this type of class as Repository. When your business logic layer needs to accessing data such as an article entry in the database, it should ask to the Article Repository instead of writing inline query that deal with database directly., (*7)

OK, but ... I already got Eloquent, why not just using that?, (*8)

Of course you can! But there're people who's not a fan of the Active Record, it just doesn't feel right for them, for these people, the Repository Pattern makes more sense. Besides, you can write method that is more expressive on your repository class, like getActivatedUsers(), and you can write tests for them very easily., (*9)

More importantly, Housekeeper is a better version of Repository Pattern (In some ways), you could read more about it below., (*10)

Housekeeper loves Eloquent. Most query APIs are the same as the Eloquent's, so you can use them without the needing to learn anything, and the returns are like Eloquent's too., (*11)

Installation

Requirement

PHP >= 5.5 and Laravel >= 5.1, (*12)

Install Via Composer

$ composer require aaronjan/housekeeper ~2.3

or add these to your composer.json file:, (*13)

    "require": {
        "aaronjan/housekeeper": "~2.3"
    }

then execute console command:, (*14)

$ composer install

After Composer finish running, add the HousekeeperServiceProvider to the providers in config/app.php:, (*15)

<?php

    // ...

    'providers' => [
        // ...

        // Add this:
        \Housekeeper\Providers\HousekeeperServiceProvider::class,

        // ...
    ],

    // ...

Make a configuration file for Housekeeper could allow you to tweak things:, (*16)

$ artisan vendor:publish --provider=Housekeeper\\Providers\\HousekeeperServiceProvider --tag=config

It's done! Now you can make a repository:, (*17)

$ artisan housekeeper:make UserRepository

TL;DR

If you have outstanding insight, this section will tell you how to use Housekeeper in the simplest words., (*18)

  • Do not write class constructor, use boot method instead, supports Type-Hinting., (*19)

  • Any public method that name starts with boot and followed by an upper-case letter (for instance, bootForInject), then this method will be called during class initializing, also support Type-Hinting., (*20)

  • If you want to do something before/after some methods belong across multiple repository, encapsulate these logics as Injections then inject them into your repositorys., (*21)

  • By using the two features above, you can write Trait to inject Injection, and use it in your repository., (*22)

Take a example:, (*23)

<?php

namespace App\Repositories\Injections;

use Housekeeper\Contracts\Injection\Basic as BasicInjectionContract;
use Housekeeper\Contracts\Injection\Before as BeforeInjectionContract;
use Housekeeper\Contracts\Flow\Before as BeforeFlowContract;

class LogTimeBefore implements BasicInjectionContract, BeforeInjectionContract
{
    public function handle(BeforeFlowContract $beforeFlow)
    {
        \Log::alert('wow');
    }
}

<?php

namespace App\Repositories\Abilities;

use App\Repositories\Injections\LogTimeBefore;

trait TimeLogger
{
    public function bootTimeLogger()
    {
        $this->injectIntoBefore(new LogTimeBefore());
    }
}

<?php

namespace App\Repositories;

use Housekeeper\Repository;
use App\Repositories\Abilities\TimeLogger;

class MyRepository extends Repository
{
    use TimeLogger;

    // ...
}

<?php

class ArticleRepository extends \Housekeeper\Repository
{
    protected function model()
    {
        return Article::class;
    }

    public function getByName($name)
    {
        return $this->simpleWrap(Action::READ, [$this, '_getByName']);
    }

    protected function _getByName($name)
    {
        return $this->getModel()  // this function give you an Eloquent / Builder instance
            ->where('name', '=', $name)
            ->get();
    }
}

That's it, take a look at the Abilities' code for more usages, Have fun!, (*31)

Features

Extend-less & Flows

The Repository Pattern is usually used with the Decorator Pattern. For instance, you have a repository class to interacting with data source directly, later you decide to add cache logic on top of that, so instead of changing the repository class its self, you could create a new class that extending it, and the whole thing may looks like this:, (*32)

<?php

class Repository
{
    public function findBook($id)
    {
        return Book::find($id);
    }
}
<?php

use Cache;

class CachedRepository extends Repository
{
    public function findBook($id)
    {
        return Cache::remember("book_{$id}", 60, function () use ($id) {
            return parent::findBook($id);
        });
    }
}

The Repository class is the bottom layer, CachedRepository class is another layer that base on the former, so one layer just do one thing (SRP: Single Responsibility Principle)., (*33)

That is a good approach. But Housekeeper wants to solving the problem with less code by using Flows., (*34)

Flows are three stages in every method execution, they're: Before, After and Reset. Every method in a Housekeeper Repository should be wrapped so it can go through these Flows. Here is an example:, (*35)

<?php

class ArticleRepository extends \Housekeeper\Repository
{
    protected function model()
    {
        return Article::class;
    }

    public function getByName($name)
    {
        return $this->simpleWrap(Action::READ, [$this, '_getByName']);
    }

    protected function _getByName($name)
    {
        return $this->getModel()  // this function give you an Eloquent / Builder instance
            ->where('name', '=', $name)
            ->get();
    }
}

Why there are two methods that had similar names? Well, the getByName method is basically a configuration and an API hint for the core method _getByName, it wrapped the core method by calling the simpleWrap with an Callable which is [$this, '_getByName'], It says what this method does is reading data (Action::READ), the whole reading logic is in the _getByName method., (*36)

You don't have to worry about method arguments, Housekeeper will takes care of that. In fact, you don't even need to write [$this, '_getByName'], since it's a convention in Housekeeper (An underscore before your method name):, (*37)

<?php

public function getByName($name)
{
    return $this->simpleWrap(Action::READ);
}

Let's back to the cache logic topic. In Housekeeper, if you wrapped your method like above, than to adding cache process, all you need to do is writing a single line of code like this:, (*38)

<?php

class ArticleRepository extends \Housekeeper\Repository
{
    use \Housekeeper\Abilities\CacheStatically;  // Adding this

    //...
}

Now all your method returns will be cached automatically, just like that., (*39)

Is it cool?, (*40)

Injection & Booting

Here a sequence diagram of method execution in Housekeeper (Core Flow is the actual method logic):, (*41)

method execution in Housekeeper, (*42)

Housekeeper allows you to inject logic (called Injection) into any Flow, in every Flow, the Injections that belong to the Flow will be executed. Injection is just like Middleware but with 3 types: Before, After and Reset (matching 3 different injectable Flows). Here is an example:, (*43)

<?php

class MyBeforeInjection implements \Housekeeper\Contracts\Injection\Before
{
    public function priority()
    {
        return 30;  // Smaller first
    }

    // main method
    public function handle(\Housekeeper\Contracts\Flow\Before $beforeFlow)
    {
        // In here you can get the `Action` object
        $action = $beforeFlow->getAction();

        // Or get the `Repository`
        $repository = $beforeFlow->getRepository();

        // And you can set the returns (Only in `Before Flow`)
        $beforeFlow->setReturnValue(1);
    }
}

The handle method in Injection takes a Flow object, depends on what Flow you injected into, the methods of the Flow object could be different, for instance, Before Flow provides setReturnValue method, you could call it by pass a value to it, then Housekeeper will use this value as the return and skip the actual method., (*44)

You can inject Injection by using the these methods: injectIntoBefore, injectIntoAfter and injectIntoReset., (*45)

<?php

class ArticleRepository extends \Housekeeper\Repository
{
    // `Housekeeper` will call the `boot` method automatically with `Dependency Injection` process
    public function boot()
    {
        $this->injectIntoBefore(new MyBeforeInjection());
    }

    // ...
}

Here is flowchart of the Before Flow execution:, (*46)

method execution in Housekeeper, (*47)

Housekeeper also will calling every method in the Repository class that name start with boot (before calling the boot method) when Repository instance been creating, some of the out-of-the-box Abilities in Housekeeper are took advantage of this, like in Adjustable trait:, (*48)

<?php

trait Adjustable
{
    // ...

    public function bootAdjustable()
    {
        $this->injectIntoBefore(new ApplyCriteriasBefore());
    }

    // ...
}

Wrapping layer

Let's assume someone wrote code like these:, (*49)

<?php

use Housekeeper\Action;

class ArticleRepository extends \Housekeeper\Repository
{
    public function getArticlesByAuthorId($authorId)
    {
        return $this->simpleWrap(Action::READ);
    }

    protected function _getArticlesByAuthorId($authorId)
    {
        return $this
            ->applyWheres([
                ['author_id', '=', $authorId],
            ])
            ->get();
    }

    public function getArticlesBySameAuthor($articleId)
    {
        return $this->simpleWrap(Action::READ);
    }

    protected function _getArticlesBySameAuthor($articleId)
    {
        $article = $this->getModel()->find($articleId, ['id', 'author_id']);

        return $this->getArticlesByAuthorId($article->author_id);
    }


    // ...
}
<?php

class ArticleController
{
    public function getRecommendForArticle(ArticleRepository $articleRepository, $articleId)
    {
        $articles = $articleRepository
            ->applyWheres([
                ['language', '=', 'chinese'],
            ])
            ->getArticlesBySameAuthor($articleId);

        return view('article.recommend-for-article', compact('articles'));
    }   

    // ...
}

In this example, the applyWheres method has been used twice, one is in the Controller, the other is in the Repository, could the first one affecting the _getArticlesByAuthorId method? No. It will only affecting the _getArticlesBySameAuthor method, and be more precisely, it's affecting this line:, (*50)

$article = $this->getModel()->find($articleId, ['id', 'author_id']);

Every wrapped method in Housekeeper has their own Scope, means they have their own Eloquent Model (Or Builder), thus they will not taking any affect to each other. If you calling applyWheres or ApplyOrderBy outside the repository, they would only affecting the first wrapped method you called., (*51)

Another Choice For Wrapping

Having two methods could be annoying, you can write an Anonymous Function, before the simpleWrap takes a Callable:, (*52)

<?php

    public function getByName($name)
    {
        return $this->simpleWrap(Action::READ, function (name) {
            return $this->getModel()
                ->where('name', '=', $name)
                ->get();
        });
    }

API


whereAre(array $wheres)

Add an array of where clauses to the query., (*53)

Arguments, (*54)

  • $wheres - An array of where conditions.

Example, (*55)

<?php

$userRepository
    ->whereAre([
        ['age', '>', 40],
        ['area', 'west']
    ])
    ->all();
<?php

$userRepository
    ->whereAre([
        ['area', 'east'],
        function ($query) {
            $query->whereHas('posts', function ($hasQuery) {
                $hasQuery->where('type', 1);
            });

            $query->whereNull('has_membership');
        },
    ])
    ->paginate(12);


applyWheres(array $wheres)

Alias for the whereAre method., (*56)

Arguments, (*57)

  • $wheres - An array of where conditions.

orderBy($column, $direction = 'asc')

Add an "order by" clause to the query., (*58)

Arguments, (*59)

  • $column
  • $direction

Example, (*60)

<?php

$UserRepository
    ->orderBy('age', 'desc')
    ->all();

applyOrderBy($column, $direction = 'asc')

Alias for the orderBy method., (*61)

Arguments, (*62)

  • $column
  • $direction

offset($value)

Set the "offset" value of the query., (*63)

Arguments, (*64)

  • $value - The specified offset of the first row to return.

Example, (*65)

<?php

$UserRepository
    ->limit(10)
    ->all();

limit($value)

Set the "limit" value of the query., (*66)

Arguments, (*67)

  • $value - The maximum number of rows to return.

Example, (*68)

<?php

$UserRepository
    ->limit(10)
    ->all();

exists($id, $column = null)

Determine if the record exists using its primary key., (*69)

Arguments, (*70)

  • $id - The primary key of the record.
  • $column - You could also specify a column other than primary key, and change the value of $id correspondingly.

Examples, (*71)

<?php

$userRepository->exists(3);

<?php

$userRepository->exists('name', 'John');

You could use this method with custom query conditions too:, (*72)

<?php

$userRepository->whereAre(['gender' => 'female'])->exists(1);


count($columns = '*')

Retrieve the "count" result of the query., (*73)

Arguments, (*74)

  • $columns

find($id, $columns = array('*'))

Find a model by its primary key., (*75)

Arguments, (*76)

  • $id
  • $columns - Specify columns that you want to retrieve.

Examples, (*77)

<?php

$userRepository->find(1, ['id', 'name', 'gender', 'age']);


findMany($ids, $columns = array('*'))

Find a collection of models by their primary key., (*78)

Arguments, (*79)

  • $ids
  • $columns - Specify columns that you want to retrieve.

update($id, array $attributes)

Update a record in the database., (*80)

Arguments, (*81)

  • $id
  • $attributes

Examples, (*82)

<?php

$userRepository->update(24, [
    'name' => 'Kobe Bryant'
]);


create(array $attributes)

Create a model with $attributes., (*83)

Arguments, (*84)

  • $attributes

delete($id)

Delete a record from the database by its primary key., (*85)

Arguments, (*86)

  • $id

first($columns = ['*'])

Execute the query and retrieve the first result., (*87)

Arguments, (*88)

  • $columns

all($columns = ['*'])

Execute the query as a "select" statement., (*89)

Arguments, (*90)

  • $columns

paginate($limit = null, $columns = ['*'], $pageName = 'page', $page = null)

Paginate the given query., (*91)

Arguments, (*92)

  • $limit
  • $columns
  • $pageName
  • $page

getByField($field, $value = null, $columns = ['*'])

Retrieve models by a simple equality query., (*93)

Arguments, (*94)

  • $field
  • $value
  • $columns

with($relations)

Set the relationships that should be eager loaded, like Eloquent., (*95)

Examples, (*96)

<?php

$users = $userRepository->with('posts')->paginate(10);


Adjustable

For more complex queries, you could put them in a Criteria class that is more semantic and reuse them anywhere you want, for that, using the Adjustable ability., (*97)

Examples

<?php

namespace App\Repositories\Criterias;

class ActiveUserCriteria implements Housekeeper\Abilities\Adjustable\Contracts\Criteria
{
    public function apply(Housekeeper\Contracts\Repository $repository)
    {
        $repository->whereAre([
            ['paid', '=', 1],
            ['logged_recently', '=', 1],
        ]);
    }
}

Then in your controller:, (*98)

<?php

$activeUserCriteria = new ActiveUserCriteria();

// UserRepository must used the `Adjustable` trait
$activeUsers = $userRepository->applyCriteria($activeUserCriteria)->all();

// Or you can remember this Criteria:
$userRepository->rememberCriteria($activeUserCriteria);

$activeUsers = $userRepository->all();

$femaleActiveUsers = $userRepository->where('gender', '=', 'female')->all();

API


applyCriteria(\Housekeeper\Abilities\Adjustable\Contracts\Criteria $criteria)

Apply this Criteria only once., (*99)

Arguments, (*100)

  • $criteria - Criteria object.

rememberCriteria(\Housekeeper\Abilities\Adjustable\Contracts\Criteria $criteria)

Remember this Criteria, it will be applied when every wrapped method been called (Only the first one, iternal method calling will be ignored)., (*101)

Arguments, (*102)

  • $criteria - Criteria object.

forgetCriterias()

Remove all remembered Criterias (Not applied)., (*103)


getCriterias()

Get all remembered Criterias., (*104)


Eloquently

This Abilitiy provides lots of Eloquent style query APIs that you are very familiar with., (*105)

API


where($column, $operator = null, $value = null, $boolean = 'and')


orWhere($column, $operator = null, $value = null)


has($relation, $operator = '>=', $count = 1, $boolean = 'and', \Closure $callback = null)


whereHas($relation, Closure $callback, $operator = '>=', $count = 1)


whereDoesntHave($relation, Closure $callback = null)


orWhereHas($relation, Closure $callback, $operator = '>=', $count = 1)


whereIn($column, $values, $boolean = 'and', $not = false)


whereNotIn($column, $values, $boolean = 'and')


orWhereNotIn($column, $values)


whereNull($column, $boolean = 'and', $not = false)


orWhereNull($column)


whereNotNull($column, $boolean = 'and')


orWhereNotNull($column)


CacheStatically

This Ability implemented a very simple cache system: Caching all method returns, and delete them all when creating/updating/deleting, you can clear cache manually too., (*106)

Once you use this Ability, everything is automatic. all(), find(), paginate() and others will go through the cache logic, if any cached return be found, then no database query will be executed. Different method has different cache key, even applying query will change the cache key., (*107)

This Ability may not be much practical in large project, but it shows the flexibility of Housekeeper, and other cache system is in the roadmap., (*108)

Examples

<?php

// Cache is disabled by default, you have to enable it first.
$userRepository->enableCache()->all();

// This also will be cached!
$userRepository->where('age', '<', '30')->orderBy('age', 'desc')->all();

Wrapped methods has their own cache:, (*109)

<?php

class UserRepository extends Housekeeper\Repository
{
    use Housekeeper\Abilities\CacheStatically;

    public function getOnlyActive() // Cached
    {
        return $this->simpleWrap(Housekeeper\Action::READ);
    }

    protected function _getOnlyActive()
    {
        // Every wrapped method has it's own scope, they don't interfere with each other
        return $this->whereAre([
            ['paid', '=', 1],
            ['logged_recently', '=', 1],
        ])
            ->all(); // Cached too
    }
}

API


enableCache()

Enable cache system., (*110)


disableCache()

Disable cache system., (*111)


isCacheEnabled()

Indicate whether cache system is enabled or not., (*112)


clearCache()

Delete all caches of this repository., (*113)


Guardable

Housekeeper ignored Mass Assignment Protection by default, use this Ability if you need it., (*114)

Guardable disabled Mass Assignment Protection by default too, you have to turn it on manually., (*115)

Examples

<?php

// For inputs that we can't trust
$userRepository->guardUp()->create($request->all());

// But we can trust our internal process
$userRepository->guardDown()->create($attributes);

API


guardUp()

Enable Mass Assignment Protection。, (*116)


guardDown()

Disable Mass Assignment Protection。, (*117)


isGuarded()

Whether or not the Mass Assignment Protection is enabled., (*118)


SoftDeletes

To utilize the SoftDeletes trait of the Eloquent, you should use this Ability in your repository., (*119)

API


startWithTrashed()

Include soft deletes., (*120)


startWithTrashedOnly()

Include soft deletes only., (*121)


forceDelete($id)

Hard delete a record by primary key., (*122)

Arguments, (*123)

  • $id

restore($id)

Restore a soft-deleted record by primary key., (*124)

Arguments, (*125)

  • $id

Console Commands

Create a new repository:, (*126)

php artisan housekeeper:make MyRepository

Create a new repsitory and a new model:, (*127)

php artisan housekeeper:make MyRepository --create=Models\\Student

Create a new repository with some Abilities:, (*128)

php artisan housekeeper:make MyRepository --cache=statically --eloquently --adjustable --sd

Issue

If you have any question about Housekeeper, feel free to create an issue, I'll reply you ASAP., (*129)

Any useful pull request are welcomed too., (*130)

Lisence

Licensed under the APACHE LISENCE 2.0, (*131)

Credits

Thanks to prettus/l5-repository for inspiring., (*132)

Thanks to sunkey for the awesome LOGOs!, (*133)

Thanks to @DarKDinDoN, @Bruce Peng, @FelipeUmpierre, @rsdev000 for your contributions!, (*134)

Thanks to Laravel for making our life easier!, (*135)

The Versions

05/02 2018

dev-master

9999999-dev

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache-2.0 Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

05/02 2018

v2.3.4

2.3.4.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache-2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

15/06 2016

v2.3.3

2.3.3.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

13/06 2016

v2.3.2

2.3.2.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

18/05 2016

v2.3.1

2.3.1.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

15/04 2016

v2.3.0

2.3.0.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

07/04 2016

v2.2.0-beta

2.2.0.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

06/04 2016

v2.1.8-beta

2.1.8.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

16/03 2016

2.1.8-beta

2.1.8.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

16/03 2016

v2.1.7-beta

2.1.7.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

03/03 2016

v2.1.6-beta

2.1.6.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

01/02 2016

v2.1.5-beta

2.1.5.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

27/01 2016

v2.1.4-beta

2.1.4.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

27/01 2016

v2.1.3-beta

2.1.3.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

18/01 2016

v2.1.2-beta

2.1.2.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

08/01 2016

v2.1.1-beta

2.1.1.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

30/12 2015

v2.1.0-beta

2.1.0.0-beta

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache 2.0

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

03/11 2015

v0.9.16

0.9.16.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

21/10 2015

v0.9.15

0.9.15.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

30/08 2015

v0.9.14

0.9.14.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

30/08 2015

v0.9.13

0.9.13.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

30/08 2015

v0.9.12

0.9.12.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

28/08 2015

v0.9.11

0.9.11.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

17/08 2015

v0.9.10

0.9.10.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

12/08 2015

v0.9.9

0.9.9.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

12/08 2015

v0.9.8

0.9.8.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

11/08 2015

v0.9.7

0.9.7.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

31/07 2015

v0.9.6

0.9.6.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

30/07 2015

v0.9.5

0.9.5.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

16/07 2015

v0.9.4

0.9.4.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

14/07 2015

v0.9.3

0.9.3.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

13/07 2015

v0.9.2

0.9.2.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

07/07 2015

v0.9.1

0.9.1.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Requires

  • php >=5.5.0

 

The Development Requires

laravel repository housekeeper

06/07 2015

v0.9.0

0.9.0.0

Powerful, simple Repository-Pattern implementation for Laravel (>=5.1), and it come with tests.

  Sources   Download

Apache V2

The Development Requires

laravel repository housekeeper