Download the PHP package computools/clight-orm without Composer

On this page you can find all versions of the php package computools/clight-orm. It is possible to download/install these versions without Composer. Possible dependencies are resolved automatically.

FAQ

After the download, you have to make one include require_once('vendor/autoload.php');. After that you have to import the classes with use statements.

Example:
If you use only one package a project is not needed. But if you use more then one package, without a project it is not possible to import the classes with use statements.

In general, it is recommended to use always a project to download your libraries. In an application normally there is more than one library needed.
Some PHP packages are not free to download and because of that hosted in private repositories. In this case some credentials are needed to access such packages. Please use the auth.json textarea to insert credentials, if a package is coming from a private repository. You can look here for more information.

  • Some hosting areas are not accessible by a terminal or SSH. Then it is not possible to use Composer.
  • To use Composer is sometimes complicated. Especially for beginners.
  • Composer needs much resources. Sometimes they are not available on a simple webspace.
  • If you are using private repositories you don't need to share your credentials. You can set up everything on our site and then you provide a simple download link to your team member.
  • Simplify your Composer build process. Use our own command line tool to download the vendor folder as binary. This makes your build process faster and you don't need to expose your credentials for private repositories.
Please rate this library. Is it a good library?

Informations about the package clight-orm

CLight ORM

This library designed as usual ORM.

Purpose for ORM development was to create fast and convenient tool for working with database and relation mapping. ORM allows you to link entities with One-To-Many, One-To-One, Many-To-One, Many-To-Many relation types.

Installation

composer require computools/clight-orm

Structural elements:

Examples

For examples you may look at tests directory.

Lets have a look:

Entity

AbstractEntity inheritance involves implementation of getTable() method, that will define database table name and getFields() method, that returns array of rules.

Also, you can provide some optional fields that will be mapped if field presents in query result only. For example we can add some count field that will not be related to table, but will present in query result.

For that puproses you can use getOptionalFields() method.

Keys must be specified as table column names.

Allowed field types:

Allowed relation types:

Id field must have ability to take null in case of new entity, that have not been saved to database yet.

Another option is using public properties instead of getters and setters. This library supports that kind of entities.

use Computools\CLightORM\Entity\AbstractEntity;

class Book extends AbstractEntity
{
    public $id;

    public $name;

    public $authors;

    public $themes;

    public $price; 
}

If you want to set null to one-to-one or many-to-one relation you can use destroyToOneRelation(string $field) method:

$post->destroyToOneRelation('author');
$postRepository->save();

This operation will save null to author_id field for post record. This can be used regardless method that was used to receive entity. So both will work:

$postRepository->find(1, ['author']);
$post->destroyToOneRelation('author');

$postRepository->find(1);
$post->destroyToOneRelation('author');

If you want to add many-to-many relation for two entities, you can call addRelation(EntityInterface $entity) method and removeRelation(EntityInterface $entity) to remove.

$post->addRelation($user);

$post->removeRelation($user);

ORM has ability to execute mass assignment for entity. So you can use this construction

$book = new Book();
$book->fill([
    'name' => 'Book name',
    'price' => 10.99
]);
$bookRepository->save($book);

instead of

$book = new Book();
$book->setName('Book name');
$book->setPrice(10.99);
$bookRepository->save($book);

That kind of action will be allowed if $allowedFields property was set for entity. So it will looks like

class Book
{
    protected $allowedFields = [
        'name',
        'price'
    ];

    public $name;

    public $price;
}

This is list of fields, that can be set with fill() method. If specified field is not presents in the list - it will be skipped.

Repository

use Computools\CLightORM\Repository\AbstractRepository;
use Computools\CLightORM\Test\Entity\Book;

class BookRepository extends AbstractRepository
{
    public function getEntityClass(): string
    {
        return Book::class;
    }

    public function findByUser(User $user): ?Book
    {
        return $this->findBy(['user_id' => $user->getId()]);
    }
}

This is the way how repository must be implemented. You can write your own methods or use existed.

To call the repository, you can use

Computools\CLightORM\CLightORM

Here is the example:

$pdo = new \PDO(
            sprintf(
                '%s:host=%s;port=%s;dbname=%s',
                'mysql',
                '127.0.0.1',
                '3306',
                'test'
            ),
        'user',
        'password'
        );

$clightORM = new CLightORM($pdo);

To get certain entity repository just call create method with class string as argument:

$repository = $clightORM->createRepository(PostRepository::class);
$repository->find(2);

Repository methods

Computools\CLightORM\Tools\Order object can be used to sort query result.

$repository->findBy([
        'name' => 'test'
    ],
    new Order('name', 'DESC')
)

expiration parameter can be used to store search result to cache. If isn't equals 0 than first call result will be stored to cache. Then method call will return data from cache, until expires. For detailed description see Cache part.

With parameter provides you possibility to include related entities into result. You may also get related entities of related entity etc. For example:

$book = $bookRepository->findLast(['themes', 'authors']);

This will find last book with related themes and authors (you must specify entity field name, that corresponds to relation)

$book = $bookRepository->findLast(
    [
        'themes' => [
            'posts'
        ],
        'authors'
    ]
);

This will find last book with themes and authors. Besides, related posts will be found for all the themes. For save method, you also may define $with parameter, to get related entities in result.

Nesting level is not limited, so you can use constructions like this:

 $book = $bookRepository->findLast(
        [
            'themes' => [
                'posts' => [
                    'editors' => [
                        'userProfile'
                    ]
                ]
            ],
            'authors'
        ]
    );

First argument for repository's 'save' method takes a link to object, so you may not use method result to overwrite object variable.

$post = new Post(); 
$post->setUser($user);
$postRepository->save($post);
return $post;

But, of course, you can use return value:

$post = new Post();
$post->setUser($user);
return $postRepository->save($post);

If there is a collection given as repository result, that would be an array of entities.

You can use Computools\CLightORM\Tools\Pagination as third parameter for findBy to paginate result.

$posts = $repository->findByUser($this->getUser(), ['theme'], (new Pagination())->setPagination(1, 20));

Or

$posts = $repository->findByUser($this->getUser(), ['theme'], (new Pagination())->setLimitOffset(20, 0));

You can also use orm object inside the repository class to make some custom queries.

Query

You can use built-in queries objects to do some custom logic.

CLightORM object can create any type of queries. This object is accessable inside any repository:

class PostRepository extends AstractRepository
{
    public function getEntityClass(): string
    {
        return Post::class;
    }

    public function findPostsCustom()
    {
        $query = $this->orm->createQuery();

        $query
            ->select('id, name')
            ->from($this->table)
            ->where('title', 'test')
            ->where('type', 'test')
            ->whereExpr('id < 5')
            ->whereExpr('id > 2')
            ->whereArray([
                'title' => 'test',
                'type' => 'test'
            ])
            ->groupBy('id')
            ->order('id', 'DESC')
            ->limit(10, 5)
            ->execute();

        return $query->getResult();
    }
}

Method above demonstrates possible methods for query. It returns array as result. If you want to map result to some entity, you must not specify select fields, and call mapToEntity or mapToEntities method:

$query
    ->from($this->table);
    ->whereExpr('id < 5')
    ->whereExpr('id > 2')
    ->execute();
return $this->mapToEntities($query, ['author', 'editor']);

To use JOIN command, you can use Computools\CLightORM\Database\Query\Structure\Join. Constructor arguments are:

Many-to-Many relations saving can do checks for already existed relations. So if you want relations to not duplicate, you can provide third parameter as true:

$post = $postRepository->find(1);
$user = $userRepository->find(1);

$post->addRelation($user);
$postRepository->save($post, [], true);

This call will also call duplicates check and just will not add same relation. If you provide third argument as false, than check will not be executed, and will throw exception if database table has unique indexes for relations.

Cache

Cache mechanism can be used to store some search results. To use it, you need to specify cache type while creating CLightORM instance. There is two different options to store results - memcached and filesystem.

Computools\CLightORM\Cache\Memcache takes two parameters:

Computools\CLightORM\Cache\Filecache takes cache dir as parameter, default is 'cache'.

So, to use cache you need to write something like that:

$pdo = new \PDO(
                sprintf(
                    '%s:host=%s;port=%s;dbname=%s',
                    'mysql',
                    '127.0.0.1',
                    '3306',
                    'test'
                ),
            'user',
            'password'
            );

$clightORM = new CLightORM($pdo, new Filecache('response/cache'));

Or

$clightORM = new CLightORM($pdo, new Memcache('localhost', 11211));

Than all your repos will be created with cache as private property. You can provide expiration parameter for findBy etc.

$repository->findBy(array $criteria, null, array $with = [], null, $expiration = 3600)

If expiration = 0, than cache will not be used. If not - data will be taken from cache if not expired yet.


All versions of clight-orm with dependencies

PHP Build Version
Package Version
Requires php Version ^7.1
Composer command for our command line client (download client) This client runs in each environment. You don't need a specific PHP version etc. The first 20 API calls are free. Standard composer command

The package computools/clight-orm contains the following files

Loading the files please wait ....