Rinvex Subscriptions is a flexible plans and subscription management system for Laravel

Overview

Rinvex Subscriptions

Rinvex Subscriptions is a flexible plans and subscription management system for Laravel, with the required tools to run your SAAS like services efficiently. It's simple architecture, accompanied by powerful underlying to afford solid platform for your business.

Packagist Scrutinizer Code Quality Travis StyleCI License

Considerations

  • Payments are out of scope for this package.
  • You may want to extend some of the core models, in case you need to override the logic behind some helper methods like renew(), cancel() etc. E.g.: when cancelling a subscription you may want to also cancel the recurring payment attached.

Installation

  1. Install the package via composer:

    composer require rinvex/laravel-subscriptions
  2. Publish resources (migrations and config files):

    php artisan rinvex:publish:subscriptions
  3. Execute migrations via the following command:

    php artisan rinvex:migrate:subscriptions
  4. Done!

Usage

Add Subscriptions to User model

Rinvex Subscriptions has been specially made for Eloquent and simplicity has been taken very serious as in any other Laravel related aspect. To add Subscription functionality to your User model just use the \Rinvex\Subscriptions\Traits\HasSubscriptions trait like this:

namespace App\Models;

use Rinvex\Subscriptions\Traits\HasSubscriptions;
use Illuminate\Foundation\Auth\User as Authenticatable;

class User extends Authenticatable
{
    use HasSubscriptions;
}

That's it, we only have to use that trait in our User model! Now your users may subscribe to plans.

Note: you can use HasSubscriptions trait on any subscriber model, it doesn't have to be the user model, in fact any model will do.

Create a Plan

$plan = app('rinvex.subscriptions.plan')->create([
    'name' => 'Pro',
    'description' => 'Pro plan',
    'price' => 9.99,
    'signup_fee' => 1.99,
    'invoice_period' => 1,
    'invoice_interval' => 'month',
    'trial_period' => 15,
    'trial_interval' => 'day',
    'sort_order' => 1,
    'currency' => 'USD',
]);

// Create multiple plan features at once
$plan->features()->saveMany([
    new PlanFeature(['name' => 'listings', 'value' => 50, 'sort_order' => 1]),
    new PlanFeature(['name' => 'pictures_per_listing', 'value' => 10, 'sort_order' => 5]),
    new PlanFeature(['name' => 'listing_duration_days', 'value' => 30, 'sort_order' => 10, 'resettable_period' => 1, 'resettable_interval' => 'month']),
    new PlanFeature(['name' => 'listing_title_bold', 'value' => 'Y', 'sort_order' => 15])
]);

Get Plan Details

You can query the plan for further details, using the intuitive API as follows:

$plan = app('rinvex.subscriptions.plan')->find(1);

// Get all plan features                
$plan->features;

// Get all plan subscriptions
$plan->subscriptions;

// Check if the plan is free
$plan->isFree();

// Check if the plan has trial period
$plan->hasTrial();

// Check if the plan has grace period
$plan->hasGrace();

Both $plan->features and $plan->subscriptions are collections, driven from relationships, and thus you can query these relations as any normal Eloquent relationship. E.g. $plan->features()->where('name', 'listing_title_bold')->first().

Get Feature Value

Say you want to show the value of the feature pictures_per_listing from above. You can do so in many ways:

// Use the plan instance to get feature's value
$amountOfPictures = $plan->getFeatureBySlug('pictures_per_listing')->value;

// Query the feature itself directly
$amountOfPictures = app('rinvex.subscriptions.plan_feature')->where('slug', 'pictures_per_listing')->first()->value;

// Get feature value through the subscription instance
$amountOfPictures = app('rinvex.subscriptions.plan_subscription')->find(1)->getFeatureValue('pictures_per_listing');

Create a Subscription

You can subscribe a user to a plan by using the newSubscription() function available in the HasSubscriptions trait. First, retrieve an instance of your subscriber model, which typically will be your user model and an instance of the plan your user is subscribing to. Once you have retrieved the model instance, you may use the newSubscription method to create the model's subscription.

$user = User::find(1);
$plan = app('rinvex.subscriptions.plan')->find(1);

$user->newSubscription('main', $plan);

The first argument passed to newSubscription method should be the title of the subscription. If your application offer a single subscription, you might call this main or primary, while the second argument is the plan instance your user is subscribing to, and there's an optional third parameter to specify custom start date as an instance of Carbon\Carbon (by default if not provided, it will start now).

Change the Plan

You can change subscription plan easily as follows:

$plan = app('rinvex.subscriptions.plan')->find(2);
$subscription = app('rinvex.subscriptions.plan_subscription')->find(1);

// Change subscription plan
$subscription->changePlan($plan);

If both plans (current and new plan) have the same billing frequency (e.g., invoice_period and invoice_interval) the subscription will retain the same billing dates. If the plans don't have the same billing frequency, the subscription will have the new plan billing frequency, starting on the day of the change and the subscription usage data will be cleared. Also if the new plan has a trial period and it's a new subscription, the trial period will be applied.

Feature Options

Plan features are great for fine-tuning subscriptions, you can top-up certain feature for X times of usage, so users may then use it only for that amount. Features also have the ability to be resettable and then it's usage could be expired too. See the following examples:

// Find plan feature
$feature = app('rinvex.subscriptions.plan_feature')->where('name', 'listing_duration_days')->first();

// Get feature reset date
$feature->getResetDate(new \Carbon\Carbon());

Subscription Feature Usage

There's multiple ways to determine the usage and ability of a particular feature in the user subscription, the most common one is canUseFeature:

The canUseFeature method returns true or false depending on multiple factors:

  • Feature is enabled.
  • Feature value isn't 0/false/NULL.
  • Or feature has remaining uses available.
$user->subscription('main')->canUseFeature('listings');

Other feature methods on the user subscription instance are:

  • getFeatureUsage: returns how many times the user has used a particular feature.
  • getFeatureRemainings: returns available uses for a particular feature.
  • getFeatureValue: returns the feature value.

All methods share the same signature: e.g. $user->subscription('main')->getFeatureUsage('listings');.

Record Feature Usage

In order to effectively use the ability methods you will need to keep track of every usage of each feature (or at least those that require it). You may use the recordFeatureUsage method available through the user subscription() method:

$user->subscription('main')->recordFeatureUsage('listings');

The recordFeatureUsage method accept 3 parameters: the first one is the feature's name, the second one is the quantity of uses to add (default is 1), and the third one indicates if the addition should be incremental (default behavior), when disabled the usage will be override by the quantity provided. E.g.:

// Increment by 2
$user->subscription('main')->recordFeatureUsage('listings', 2);

// Override with 9
$user->subscription('main')->recordFeatureUsage('listings', 9, false);

Reduce Feature Usage

Reducing the feature usage is almost the same as incrementing it. Here we only substract a given quantity (default is 1) to the actual usage:

$user->subscription('main')->reduceFeatureUsage('listings', 2);

Clear The Subscription Usage Data

$user->subscription('main')->usage()->delete();

Check Subscription Status

For a subscription to be considered active one of the following must be true:

  • Subscription has an active trial.
  • Subscription ends_at is in the future.
$user->subscribedTo($planId);

Alternatively you can use the following methods available in the subscription model:

$user->subscription('main')->active();
$user->subscription('main')->canceled();
$user->subscription('main')->ended();
$user->subscription('main')->onTrial();

Canceled subscriptions with an active trial or ends_at in the future are considered active.

Renew a Subscription

To renew a subscription you may use the renew method available in the subscription model. This will set a new ends_at date based on the selected plan and will clear the usage data of the subscription.

$user->subscription('main')->renew();

Canceled subscriptions with an ended period can't be renewed.

Cancel a Subscription

To cancel a subscription, simply use the cancel method on the user's subscription:

$user->subscription('main')->cancel();

By default the subscription will remain active until the end of the period, you may pass true to end the subscription immediately:

$user->subscription('main')->cancel(true);

Scopes

Subscription Model

// Get subscriptions by plan
$subscriptions = app('rinvex.subscriptions.plan_subscription')->byPlanId($plan_id)->get();

// Get bookings of the given user
$user = \App\Models\User::find(1);
$bookingsOfSubscriber = app('rinvex.subscriptions.plan_subscription')->ofSubscriber($user)->get(); 

// Get subscriptions with trial ending in 3 days
$subscriptions = app('rinvex.subscriptions.plan_subscription')->findEndingTrial(3)->get();

// Get subscriptions with ended trial
$subscriptions = app('rinvex.subscriptions.plan_subscription')->findEndedTrial()->get();

// Get subscriptions with period ending in 3 days
$subscriptions = app('rinvex.subscriptions.plan_subscription')->findEndingPeriod(3)->get();

// Get subscriptions with ended period
$subscriptions = app('rinvex.subscriptions.plan_subscription')->findEndedPeriod()->get();

Models

Rinvex Subscriptions uses 4 models:

Rinvex\Subscriptions\Models\Plan;
Rinvex\Subscriptions\Models\PlanFeature;
Rinvex\Subscriptions\Models\PlanSubscription;
Rinvex\Subscriptions\Models\PlanSubscriptionUsage;

Changelog

Refer to the Changelog for a full history of the project.

Support

The following support channels are available at your fingertips:

Contributing & Protocols

Thank you for considering contributing to this project! The contribution guide can be found in CONTRIBUTING.md.

Bug reports, feature requests, and pull requests are very welcome.

Security Vulnerabilities

If you discover a security vulnerability within this project, please send an e-mail to [email protected]. All security vulnerabilities will be promptly addressed.

About Rinvex

Rinvex is a software solutions startup, specialized in integrated enterprise solutions for SMEs established in Alexandria, Egypt since June 2016. We believe that our drive The Value, The Reach, and The Impact is what differentiates us and unleash the endless possibilities of our philosophy through the power of software. We like to call it Innovation At The Speed Of Life. That’s how we do our share of advancing humanity.

License

This software is released under The MIT License (MIT).

(c) 2016-2021 Rinvex LLC, Some rights reserved.

Comments
  • Laravel 8 - another package

    Laravel 8 - another package

    Hi there,

    considering this package is not maintained for a long time and people didn't get any feedback on https://github.com/rinvex/laravel-subscriptions/issues/117, I forked and added support for Laravel 8.

    You may use: binarcode/[email protected] for Laravel 8 until @Omranic will update this.

    Check it out: https://github.com/BinarCode/laravel-subscriptions

    Thanks.

    opened by binaryk 9
  • Fixed Subscription Query Error

    Fixed Subscription Query Error

    • Added the allow duplicates option to the Subscription Model
    • Removed the Unique Index to the Subscription Table

    This enables the User to run $user->subscription('main') instead of $user->subscription('main-1')

    opened by yondifon 9
  • [Exception] On creating new plan / the given data was invalid

    [Exception] On creating new plan / the given data was invalid

    Reported by: Almeida Silva

    $plan = app('rinvex.subscriptions.plan')->create([
                'name' => 'Pro',
                'description' => 'Pro plan',
                'price' => 9.99,
                'invoice_period' => 1,
                'invoice_interval' => 'month',
                'trial_period' => 15,
                'trial_interval' => 'd',
                'sort_order' => 1,
                'currency' => 'USD',
            ]);
    
    .Illuminate\Support\MessageBag {#732
      #messages: array:2 [
        "signup_fee" => array:1 [
          0 => "The signup fee field is required."
        ]
        "invoice_interval" => array:1 [
          0 => "The selected invoice interval is invalid."
        ]
      ]
      #format: ":message"
    }
    
    opened by Omranic 8
  • Redirect loop on plan creation

    Redirect loop on plan creation

    I installed this package and setup everything as instructed but when i try to create a new plan, i get a redirect loop error. The code i am running is as shown below: ``` $plan = app('rinvex.subscriptions.plan')->create([ 'name' => 'Pro', 'description' => 'Pro plan', 'price' => 9.99, 'invoice_period' => 1, 'invoice_interval' => 'month', 'trial_period' => 15, 'trial_interval' => 'd', 'sort_order' => 1, 'currency' => 'USD', ]);

    Thanks.
    opened by Peter2962 8
  • Unable to locate publishable resources.

    Unable to locate publishable resources.

    I'm facing this kind of issue when running the publisher

    Screen Shot 2020-03-23 at 22 27 56

    I'm Using Laravel 6.18.2. Rinve Version : 3.0.1 Does anyone facing the same issue like me?

    Thank you.

    opened by bondan23 6
  • How do I create a plan without trial period?

    How do I create a plan without trial period?

    In order to create a plan without trial, I set the trial_period to zero.

    $plan = Plan::create([
        'slug' => 'free',
        'name' => 'Free Plan',
        'price' => 0,
        'signup_fee' => 0,
        'invoice_period' => 1,
        'invoice_interval' => 'month',
        'trial_period' => 0,
        'trial_interval' => 'day',
        'sort_order' => 1,
        'currency' => 'TWD',
    ]);
    

    When a new user registered, the system will auto assign free plan to user.

    // Assume today is 2019-11-24
    $subscription = $user->newSubscription('primary', $plan);
    
    // Unexpectedly the start date would be: 2019-11-25
    // It should have been 2019-11-24
    $subscription->starts_at;
    

    I dig into the newSubscription function and found the helper service class called Period.

    use Rinvex\Subscriptions\Services\Period;
    
    public function newSubscription($subscription, Plan $plan): PlanSubscription
        {
            $trial = new Period($plan->trial_interval, $plan->trial_period, now());
            $period = new Period($plan->invoice_interval, $plan->invoice_period, $trial->getEndDate());
    
            return $this->subscriptions()->create([
                'name' => $subscription,
                'plan_id' => $plan->getKey(),
                'trial_ends_at' => $trial->getEndDate(),
                'starts_at' => $period->getStartDate(),
                'ends_at' => $period->getEndDate(),
            ]);
        }
    

    So the root cause might be here. In the constructor of Period class:

    namespace Rinvex\Subscriptions\Services;  
    
    /**
     * Interval count.
     *
     * @var int
     */
    protected $period = 1;
    
    public function __construct($interval = 'month', $count = 1, $start = '')
        {
            $this->interval = $interval;
    
            if (empty($start)) {
                $this->start = now();
            } elseif (! $start instanceof Carbon) {
                $this->start = new Carbon($start);
            } else {
                $this->start = $start;
            }
    
            // It won't override the period variable 
            // and the default period is set to 1.
            if ($count > 0) {
                $this->period = $count;
            }
    
            $start = clone $this->start;
            $method = 'add'.ucfirst($this->interval).'s';
            $this->end = $start->{$method}($this->period);
        }
    
    opened by yuhua-chen 6
  • HasPlanSubscriptions Error

    HasPlanSubscriptions Error

    Hello,

    Laravel 8 install and error ?

    Symfony\Component\ErrorHandler\Error\FatalError
    Trait 'Rinvex\Subscriptions\Traits\HasPlanSubscriptions' not found
    
    
    opened by rapcrown 5
  • Features are related to only one plan

    Features are related to only one plan

    Why is a feature related to a plan ? Commonly, many plans can grant access to a feature... For instance, both VIP and standard plans grant access to **Email Notifications **

    opened by undjike 5
  • Publish resources migrations and config files not working

    Publish resources migrations and config files not working

    Hi, in Laraveli 6, following the php artisan rinvex: migrate: subscriptions command, the following error occurs: There are no commands defined in the "rinvex:migrate" namespace.

    There is also no need to execute the php artisan vendor: publish command when installing?

    Thank you for your response.

    opened by elrosi 5
  • Trait HasSubscriptions | TypeError on $user->subscribedPlans()

    Trait HasSubscriptions | TypeError on $user->subscribedPlans()

    subscribedPlans() method in HasSubscriptions trait returns a /Illuminate/Database/Eloquent/Collection instance, but the signature is public function subscribedPlans(): ?PlanSubscription

    HasSubscription trait:

        /**
         * Get subscribed plans.
         *
         * @return \Rinvex\Subscriptions\Models\PlanSubscription|null
         */
        public function subscribedPlans(): ?PlanSubscription
        {
            $planIds = $this->subscriptions->reject->inactive()->pluck('plan_id')->unique();
    
            return app('rinvex.subscriptions.plan')->whereIn('id', $planIds)->get();
        }
    
    opened by stevensgsp 5
  • Service Provider not find resources files, because is not loaded correctly

    Service Provider not find resources files, because is not loaded correctly

    This is the console log:

    :$ composer require rinvex/laravel-subscriptions
    
    Using version ^3.0 for rinvex/laravel-subscriptions
    ./composer.json has been updated
    Loading composer repositories with package information
    [...]
    Writing lock file
    Generating optimized autoload files
    > Illuminate\Foundation\ComposerScripts::postAutoloadDump
    > @php artisan package:discover --ansi
    Discovered Package: artesaos/seotools
    Discovered Package: barryvdh/laravel-debugbar
    Discovered Package: barryvdh/laravel-ide-helper
    Discovered Package: facade/ignition
    Discovered Package: felixkiss/uniquewith-validator
    Discovered Package: fideloper/proxy
    Discovered Package: intervention/image
    Discovered Package: laravel/tinker
    Discovered Package: laravel/ui
    Discovered Package: laravelcollective/html
    Discovered Package: laravelista/ekko
    Discovered Package: nesbot/carbon
    Discovered Package: nunomaduro/collision
    Discovered Package: rinvex/laravel-subscriptions
    Discovered Package: spatie/laravel-backup
    Discovered Package: spatie/laravel-cookie-consent
    Discovered Package: spatie/laravel-cors
    Discovered Package: spatie/laravel-csp
    Discovered Package: spatie/laravel-permission
    Discovered Package: spatie/laravel-schemaless-attributes
    Discovered Package: spatie/laravel-sitemap
    Discovered Package: spatie/laravel-translatable
    Package manifest generated successfully.
    > Illuminate\Foundation\ComposerScripts::postUpdate
    
    :$ php artisan rinvex:publish:subscriptions
    
    ***************************************************
    *     Publish Rinvex Subscriptions Resources.     *
    ***************************************************
    
    Unable to locate publishable resources.
    Publishing complete.
    Unable to locate publishable resources.
    Publishing complete.
    

    As you can see, package is discovered correctly, but service provider are not loaded:

    :$ php artisan vendor:publish
    
     Which provider or tag's files would you like to publish?:
      [0 ] Publish files from all providers and tags listed below
      [1 ] Provider: Artesaos\SEOTools\Providers\SEOToolsServiceProvider
      [2 ] Provider: Barryvdh\Debugbar\ServiceProvider
      [3 ] Provider: Barryvdh\LaravelIdeHelper\IdeHelperServiceProvider
      [4 ] Provider: Facade\Ignition\IgnitionServiceProvider
      [5 ] Provider: Fideloper\Proxy\TrustedProxyServiceProvider
      [6 ] Provider: Illuminate\Foundation\Providers\FoundationServiceProvider
      [7 ] Provider: Illuminate\Mail\MailServiceProvider
      [8 ] Provider: Illuminate\Notifications\NotificationServiceProvider
      [9 ] Provider: Illuminate\Pagination\PaginationServiceProvider
      [10] Provider: Intervention\Image\ImageServiceProviderLaravelRecent
      [11] Provider: Laravel\Tinker\TinkerServiceProvider
      [12] Provider: Laravelista\Ekko\Frameworks\Laravel\ServiceProvider
      [13] Provider: Spatie\Backup\BackupServiceProvider
      [14] Provider: Spatie\CookieConsent\CookieConsentServiceProvider
      [15] Provider: Spatie\Cors\CorsServiceProvider
      [16] Provider: Spatie\Csp\CspServiceProvider
      [17] Provider: Spatie\Permission\PermissionServiceProvider
      [18] Provider: Spatie\Sitemap\SitemapServiceProvider
      [19] Provider: Spatie\Translatable\TranslatableServiceProvider
      [20] Tag: config
      [21] Tag: flare-config
      [22] Tag: ignition-config
      [23] Tag: lang
      [24] Tag: laravel-errors
      [25] Tag: laravel-mail
      [26] Tag: laravel-notifications
      [27] Tag: laravel-pagination
      [28] Tag: migrations
      [29] Tag: views
     > ^C
    

    I have tried a composer dump-autoload command, but nothing changes.. And I have tried even to manually add service provider to config/app.php, without success....

    Any ideas??

    opened by BoGnY 5
  • How to get list of subscriptions that are due/past due?

    How to get list of subscriptions that are due/past due?

    I was wondering how I can get a list of subscriptions that are due or past due? I was going to create a CRON job to run every night to charge the subscription, but I would need the list of subscriptions that are due. Is there a way to track if the subscription was billed/paid for that period?

    opened by sgtcoder 0
  • The model PlanSubscription returns false on canUseFeature

    The model PlanSubscription returns false on canUseFeature

    I think canUseFeature is wrong. In the first if condition.

    $featureValue = $this->getFeatureValue($featureSlug);
    
    $usage = $this->usage()->byFeatureSlug($featureSlug)->first();
    
    if ($featureValue === 'true') {
        return true;
    }
    

    The function getFeatureValue only returns a value or null but never "true" as string.

    opened by jamesallan93 0
Owner
Rinvex
value.reach.impact
Rinvex
A flexible, elegant, fast and easy-to-use content management system written in PHP

Textpattern CMS A flexible, elegant, fast and easy-to-use content management system written in PHP. Textpattern is free and open source software.

Textpattern CMS 702 Jan 6, 2023
Subscriptify - a simple subscription platform(only RESTful APIs with MySQL)

Create a simple subscription platform(only RESTful APIs with MySQL) in which users can subscribe to a website (there can be multiple websites in the system). Whenever a new post is published on a particular website, all it's subscribers shall receive an email with the post title and description in it. (no authentication of any kind is required)

Md Rafsan Jani Rafin 2 Mar 24, 2022
Laravel-Library-Management-system is nice to management library system...

About Laravel Laravel is a web application framework with expressive, elegant syntax. We believe development must be an enjoyable and creative experie

Eng Hasan Hajjar 2 Sep 30, 2022
mini Project in Laravel and vue js. Real World Laravel 8x + vue js Dashboard.Task management and project management system

mini Project in Laravel and vue js. Real World Laravel 8x + vue js Dashboard.Task management and project management system. Dashboard features such as: Complete Dashboard, Custom Authentication, Email Verification, custom-login-register-forgot password (without jetstream).

Hasmukh Dharajiya 2 Sep 20, 2022
DooTask is a lightweight open source online project task management tool that provides various document collaboration tools, online mind mapping, online flowcharting, project management, task distribution, instant IM, file management and other tools.

DooTask is a lightweight open source online project task management tool that provides various document collaboration tools, online mind mapping, online flowcharting, project management, task distribution, instant IM, file management and other tools.

kuaifan 3k Jan 5, 2023
A great looking and easy-to-use photo-management-system you can run on your server, to manage and share photos.

Lychee A great looking and easy-to-use photo-management-system. Since the 1st of April 2018 this project has moved to it's own Organisation (https://g

Tobias Reich 6.2k Jan 5, 2023
UserFrosting is a secure, modern user management system written in PHP and built on top of the Slim Microframework, Twig templating engine, and Eloquent ORM.

UserFrosting 4.6 Branch Version Build Coverage Style master hotfix develop https://www.userfrosting.com If you simply want to show that you like this

UserFrosting 1.6k Jan 1, 2023
School Management System Ver 1.0 with login and registration and admin panel

School Management System Ver 1.0 with login and registration and admin panel

JehanKandy 10 Jul 13, 2022
Open Source Voucher Management System is a web application for manage voucher. used PHP with Laravel Framework and use MySQL for Database.

Voucher Management System is a web application for manage voucher. You can create and manage your voucher. Voucher Management System is used PHP with Laravel Framework and use MySQL for Database.

Artha Nugraha Jonar 34 Sep 17, 2022
This is a visitor management system, developed by the use of Laravel 8 combined with Jetstream, Livewire and Tailwind CSS.

This is a visitor management system, developed by the use of Laravel 8 combined with Jetstream, Livewire and Tailwind CSS.

Marios Tsouras 0 Apr 23, 2022
Faculty Management System (FMS) Built with Laravel 9 in Back-end and React , Redux in Front-end API's

Final Project Faculty Management System (FMS) as final project for faculty of Copmuter Science, Kandahar University, 2021 Faculty Management System (F

Shahghasi Adil 7 Jun 21, 2022
A simple helpdesk tickets system for Laravel 5.1+ which integrates smoothly with Laravel default users and auth system

A simple helpdesk tickets system for Laravel 5.1+ which integrates smoothly with Laravel default users and auth system, demo is available at: http://ticketit.kordy.info/tickets

Ahmed Kordy 857 Dec 30, 2022
Admidio is a free open source user management system for websites of organizations and groups

Admidio is a free open source user management system for websites of organizations and groups. The system has a flexible role model so that it’s possible to reflect the structure and permissions of your organization.

Admidio 214 Jan 1, 2023
Powerful, yet easy to use, open-source online ordering, table reservation and management system for restaurants

TastyIgniter provides a professional and reliable platform for restaurants wanting to offer online food ordering and table reservation to their custom

TastyIgniter 2.4k Dec 27, 2022
Ressource Management and Manufacturing execution system Web for industry (sheet metal, machining, mold ...)

WEB ERP MES Ressource and Manufacturing execution system Web WEM is a business management web application using Laravel 8 and bootstrap 4.6. Why WEM ?

null 28 Dec 30, 2022
MOFHY Lite is a free web hosting management system to manage MOFH hosting accounts and SSL certificates.

MOFHY Lite is a free of cost MOFH clientarea for account management and support services with free ssl service. It have easy to use feature

Mahtab Hassan 17 Dec 8, 2022
Hotel Management System using MySQL, Php, Ajax, Jquery and HTML

Hotel-Management-System-Ajax-PHP-Mysql A hotel management system in which clients can perform operations such as booking a room and event. It is possi

vengadesh ks 2 Jun 6, 2022
A learning management system (LMS) is a software application or web-based technology used to plan, implement and assess a specific learning process.

vidyaprabodhan-gov-php-project A learning management system (LMS) is a software application or web-based technology used to plan, implement and assess

Narayan Pote 1 Dec 23, 2021
Vigil is a free client and hosting account management system designed especially for MyOwnFreeHost resellers.

Vigil is a free client and hosting account management system designed especially for MyOwnFreeHost resellers. It comes out of the box with a ticket support system, free SSL generator and elegant design.

JAI KRISHNA 1 Nov 21, 2021