Coder Social home page Coder Social logo

unicodeveloper / laravel-paystack Goto Github PK

View Code? Open in Web Editor NEW
580.0 40.0 310.0 129 KB

:credit_card: :package: :moneybag: Laravel 6, 7, 8, 9, 10 and 11 Package for Paystack

Home Page: https://paystack.co

License: MIT License

PHP 100.00%
payment-provider paystack laravel-paystack payment library plan money transfer

laravel-paystack's Introduction

laravel-paystack

Latest Stable Version License Build Status Quality Score Total Downloads

A Laravel Package for working with Paystack seamlessly

Installation

PHP 5.4+ or HHVM 3.3+, and Composer are required.

To get the latest version of Laravel Paystack, simply require it

composer require unicodeveloper/laravel-paystack

Or add the following line to the require block of your composer.json file.

"unicodeveloper/laravel-paystack": "1.0.*"

You'll then need to run composer install or composer update to download it and have the autoloader updated.

Once Laravel Paystack is installed, you need to register the service provider. Open up config/app.php and add the following to the providers key.

'providers' => [
    ...
    Unicodeveloper\Paystack\PaystackServiceProvider::class,
    ...
]

If you use Laravel >= 5.5 you can skip this step and go to configuration

  • Unicodeveloper\Paystack\PaystackServiceProvider::class

Also, register the Facade like so:

'aliases' => [
    ...
    'Paystack' => Unicodeveloper\Paystack\Facades\Paystack::class,
    ...
]

Configuration

You can publish the configuration file using this command:

php artisan vendor:publish --provider="Unicodeveloper\Paystack\PaystackServiceProvider"

A configuration-file named paystack.php with some sensible defaults will be placed in your config directory:

<?php

return [

    /**
     * Public Key From Paystack Dashboard
     *
     */
    'publicKey' => getenv('PAYSTACK_PUBLIC_KEY'),

    /**
     * Secret Key From Paystack Dashboard
     *
     */
    'secretKey' => getenv('PAYSTACK_SECRET_KEY'),

    /**
     * Paystack Payment URL
     *
     */
    'paymentUrl' => getenv('PAYSTACK_PAYMENT_URL'),

    /**
     * Optional email address of the merchant
     *
     */
    'merchantEmail' => getenv('MERCHANT_EMAIL'),

];

General payment flow

Though there are multiple ways to pay an order, most payment gateways expect you to follow the following flow in your checkout process:

1. The customer is redirected to the payment provider

After the customer has gone through the checkout process and is ready to pay, the customer must be redirected to the site of the payment provider.

The redirection is accomplished by submitting a form with some hidden fields. The form must send a POST request to the site of the payment provider. The hidden fields minimally specify the amount that must be paid, the order id and a hash.

The hash is calculated using the hidden form fields and a non-public secret. The hash used by the payment provider to verify if the request is valid.

2. The customer pays on the site of the payment provider

The customer arrives on the site of the payment provider and gets to choose a payment method. All steps necessary to pay the order are taken care of by the payment provider.

3. The customer gets redirected back to your site

After having paid the order the customer is redirected back. In the redirection request to the shop-site some values are returned. The values are usually the order id, a payment result and a hash.

The hash is calculated out of some of the fields returned and a secret non-public value. This hash is used to verify if the request is valid and comes from the payment provider. It is paramount that this hash is thoroughly checked.

Usage

Open your .env file and add your public key, secret key, merchant email and payment url like so:

PAYSTACK_PUBLIC_KEY=xxxxxxxxxxxxx
PAYSTACK_SECRET_KEY=xxxxxxxxxxxxx
PAYSTACK_PAYMENT_URL=https://api.paystack.co
MERCHANT_EMAIL[email protected]

If you are using a hosting service like heroku, ensure to add the above details to your configuration variables.

Set up routes and controller methods like so:

Note: Make sure you have /payment/callback registered in Paystack Dashboard https://dashboard.paystack.co/#/settings/developer like so:

payment-callback

// Laravel 5.1.17 and above
Route::post('/pay', 'PaymentController@redirectToGateway')->name('pay');

OR

Route::post('/pay', [
    'uses' => 'PaymentController@redirectToGateway',
    'as' => 'pay'
]);

OR

// Laravel 8 & 9
Route::post('/pay', [App\Http\Controllers\PaymentController::class, 'redirectToGateway'])->name('pay');
Route::get('/payment/callback', 'PaymentController@handleGatewayCallback');

OR

// Laravel 5.0
Route::get('payment/callback', [
    'uses' => 'PaymentController@handleGatewayCallback'
]);

OR

// Laravel 8 & 9
Route::get('/payment/callback', [App\Http\Controllers\PaymentController::class, 'handleGatewayCallback']);
<?php

namespace App\Http\Controllers;

use Illuminate\Http\Request;

use App\Http\Requests;
use App\Http\Controllers\Controller;
use Illuminate\Support\Facades\Redirect;
use Paystack;

class PaymentController extends Controller
{

    /**
     * Redirect the User to Paystack Payment Page
     * @return Url
     */
    public function redirectToGateway()
    {
        try{
            return Paystack::getAuthorizationUrl()->redirectNow();
        }catch(\Exception $e) {
            return Redirect::back()->withMessage(['msg'=>'The paystack token has expired. Please refresh the page and try again.', 'type'=>'error']);
        }        
    }

    /**
     * Obtain Paystack payment information
     * @return void
     */
    public function handleGatewayCallback()
    {
        $paymentDetails = Paystack::getPaymentData();

        dd($paymentDetails);
        // Now you have the payment details,
        // you can store the authorization_code in your db to allow for recurrent subscriptions
        // you can then redirect or do whatever you want
    }
}
/**
 *  In the case where you need to pass the data from your 
 *  controller instead of a form
 *  Make sure to send:
 *  required: email, amount, reference, orderID(probably)
 *  optionally: currency, description, metadata
 *  e.g:
 *  
 */
$data = array(
        "amount" => 700 * 100,
        "reference" => '4g4g5485g8545jg8gj',
        "email" => '[email protected]',
        "currency" => "NGN",
        "orderID" => 23456,
    );

return Paystack::getAuthorizationUrl($data)->redirectNow();

Let me explain the fluent methods this package provides a bit here.

/**
 *  This fluent method does all the dirty work of sending a POST request with the form data
 *  to Paystack Api, then it gets the authorization Url and redirects the user to Paystack
 *  Payment Page. We've abstracted all of it, so you don't have to worry about that.
 *  Just eat your cookies while coding!
 */
Paystack::getAuthorizationUrl()->redirectNow();

/**
 * Alternatively, use the helper.
 */
paystack()->getAuthorizationUrl()->redirectNow();

/**
 * This fluent method does all the dirty work of verifying that the just concluded transaction was actually valid,
 * It verifies the transaction reference with Paystack Api and then grabs the data returned from Paystack.
 * In that data, we have a lot of good stuff, especially the `authorization_code` that you can save in your db
 * to allow for easy recurrent subscription.
 */
Paystack::getPaymentData();

/**
 * Alternatively, use the helper.
 */
paystack()->getPaymentData();

/**
 * This method gets all the customers that have performed transactions on your platform with Paystack
 * @returns array
 */
Paystack::getAllCustomers();

/**
 * Alternatively, use the helper.
 */
paystack()->getAllCustomers();


/**
 * This method gets all the plans that you have registered on Paystack
 * @returns array
 */
Paystack::getAllPlans();

/**
 * Alternatively, use the helper.
 */
paystack()->getAllPlans();


/**
 * This method gets all the transactions that have occurred
 * @returns array
 */
Paystack::getAllTransactions();

/**
 * Alternatively, use the helper.
 */
paystack()->getAllTransactions();

/**
 * This method generates a unique super secure cryptographic hash token to use as transaction reference
 * @returns string
 */
Paystack::genTranxRef();

/**
 * Alternatively, use the helper.
 */
paystack()->genTranxRef();


/**
* This method creates a subaccount to be used for split payments
* @return array
*/
Paystack::createSubAccount();

/**
 * Alternatively, use the helper.
 */
paystack()->createSubAccount();


/**
* This method fetches the details of a subaccount
* @return array
*/
Paystack::fetchSubAccount();

/**
 * Alternatively, use the helper.
 */
paystack()->fetchSubAccount();


/**
* This method lists the subaccounts associated with your paystack account
* @return array
*/
Paystack::listSubAccounts();

/**
 * Alternatively, use the helper.
 */
paystack()->listSubAccounts();


/**
* This method Updates a subaccount to be used for split payments
* @return array
*/
Paystack::updateSubAccount();

/**
 * Alternatively, use the helper.
 */
paystack()->updateSubAccount();

A sample form will look like so:

<?php
// more details https://paystack.com/docs/payments/multi-split-payments/#dynamic-splits

$split = [
   "type" => "percentage",
   "currency" => "KES",
   "subaccounts" => [
    [ "subaccount" => "ACCT_li4p6kte2dolodo", "share" => 10 ],
    [ "subaccount" => "ACCT_li4p6kte2dolodo", "share" => 30 ],
   ],
   "bearer_type" => "all",
   "main_account_share" => 70
];
?>
<form method="POST" action="{{ route('pay') }}" accept-charset="UTF-8" class="form-horizontal" role="form">
    <div class="row" style="margin-bottom:40px;">
        <div class="col-md-8 col-md-offset-2">
            <p>
                <div>
                    Lagos Eyo Print Tee Shirt
                    ₦ 2,950
                </div>
            </p>
            <input type="hidden" name="email" value="[email protected]"> {{-- required --}}
            <input type="hidden" name="orderID" value="345">
            <input type="hidden" name="amount" value="800"> {{-- required in kobo --}}
            <input type="hidden" name="quantity" value="3">
            <input type="hidden" name="currency" value="NGN">
            <input type="hidden" name="metadata" value="{{ json_encode($array = ['key_name' => 'value',]) }}" > {{-- For other necessary things you want to add to your payload. it is optional though --}}
            <input type="hidden" name="reference" value="{{ Paystack::genTranxRef() }}"> {{-- required --}}
            
            <input type="hidden" name="split_code" value="SPL_EgunGUnBeCareful"> {{-- to support transaction split. more details https://paystack.com/docs/payments/multi-split-payments/#using-transaction-splits-with-payments --}}
            <input type="hidden" name="split" value="{{ json_encode($split) }}"> {{-- to support dynamic transaction split. More details https://paystack.com/docs/payments/multi-split-payments/#dynamic-splits --}}
            {{ csrf_field() }} {{-- works only when using laravel 5.1, 5.2 --}}

            <input type="hidden" name="_token" value="{{ csrf_token() }}"> {{-- employ this in place of csrf_field only in laravel 5.0 --}}

            <p>
                <button class="btn btn-success btn-lg btn-block" type="submit" value="Pay Now!">
                    <i class="fa fa-plus-circle fa-lg"></i> Pay Now!
                </button>
            </p>
        </div>
    </div>
</form>

When clicking the submit button the customer gets redirected to the Paystack site.

So now we've redirected the customer to Paystack. The customer did some actions there (hopefully he or she paid the order) and now gets redirected back to our shop site.

Paystack will redirect the customer to the url of the route that is specified in the Callback URL of the Web Hooks section on Paystack dashboard.

We must validate if the redirect to our site is a valid request (we don't want imposters to wrongfully place non-paid order).

In the controller that handles the request coming from the payment provider, we have

Paystack::getPaymentData() - This function calls the verification methods and ensure it is a valid transaction else it throws an exception.

You can test with these details

Card Number: 4123450131001381
Expiry Date: any date in the future
CVV: 883

Todo

  • Charge Returning Customers
  • Add Comprehensive Tests
  • Implement Transaction Dashboard to see all of the transactions in your laravel app

Contributing

Please feel free to fork this package and contribute by submitting a pull request to enhance the functionalities.

How can I thank you?

Why not star the github repo? I'd love the attention! Why not share the link for this repository on Twitter or HackerNews? Spread the word!

Don't forget to follow me on twitter!

Thanks! Prosper Otemuyiwa.

License

The MIT License (MIT). Please see License File for more information.

laravel-paystack's People

Contributors

a4anthony avatar ammezie avatar aremu-smog avatar bhekor avatar cfukpe avatar chikeozulumba avatar codersfaruk avatar derskeal avatar dhaxor avatar engrtitus avatar goodnesskay avatar iamraphson avatar ibrahimlawal avatar ichtrojan avatar idoqo avatar imyque avatar kingflamez avatar laravel-shift avatar lukman008 avatar mohammedisma avatar ohssie avatar onyekam avatar prevailexcel avatar samaasi avatar sayopaul avatar stojankukrika avatar sunitpanwar avatar thejohncode avatar ugochimbo avatar unicodeveloper avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

laravel-paystack's Issues

Transaction Id should be numeric

Transaction Id should be numeric, am having this issue when i click on pay(which is supposed to redirect to paystack). Please help

transfer/withdrawal api

having a hard time finding any package that helps with implementing withdrawals from my application using laravel paystack

Multiple Currency?

Is there any support for multiple currency? Like For $ or for Nigerian currency? Thanks

Passing Phone Number, First name and Last name with the email

Hello
i have been trying to pass phone number , name and email to the transaction page with no success, has anyone been able to do this.
For example the amount hidden field is this
{{-- required in kobo --}}
When you view the array gotten from dd($paymentDetails); you see that first name , last name name and phone returns null regardless of having an input like this one below, nothing gets sent

Should not use this package?

It seems in example you are writing secret key inside form html. Am i wrong but i think secret key is only for server not for user side right?????????????

Call to undefined method Unicodeveloper\Paystack\Paystack::createSubAccount()

I tried implementing the subaccount creation using the Laravel api method Paystack::createSubAccount(); but returned the error "Call to undefined method Unicodeveloper\Paystack\Paystack::createSubAccount()".
I also noticed that all the other subaccount methods to fetchsubaccount or list subaccount have no implementation yet.

Class 'Paystack' not found in Laravel 5.4

I followed all the steps yet am having this error Class 'Paystack' not found.
I tried all suggestions made in this issue "Class 'Paystack' not found #52 ", but to no avail. (may be due to the fact they are using Laravel 5.6).

I also tried using
use \Unicodeveloper\Paystack\Paystack;
instead of
use Paystack
But i got this error
Non-static method Unicodeveloper\Paystack\Paystack::getAuthorizationUrl() should not be called statically

Please help...

Packagist package isn't the same with github repository

Hello . I observed that the repository is more updated than the version on packagist . As a result of this , users who use composer would be interacting with an older version of this package that doesn't have the subaccounts features . I assume it may be a problem with the hook .

Unable to publish config file

Hello there,
Nice documentation about paystack you've got here, but I got stucked at some point while trying to publish configuration file, composer returns "Nothing to publish" after running command
" php artisan vendor:publish --provider="Unicodeveloper\Paystack\PaystackServiceProvider" ".

Please help thanks.

404 Not Found

"Client error: POST https://www.mytestwebsite.com/transaction/initialize resulted in a 404 Not Found response: { "message": "" }. "
Why do I get this error yet the package was working fine initially

Multiple Orders?

Suppose i want to order 2 cake and 3 fridges can i do it? Currently at readme it seems we can only do it for 1 items? Can we support it? Thanks

Paystack: Getting error at the time of chargeCard

Hello,

I am trying to charge card but every time am getting error.
Please check below response:

GuzzleHttp\Exception\ClientException: Client error: POST https://api.paystack.co/charge` resulted in a 400 Bad Request response:
{
"status": false,
"message": "Charge attempted",
"data": {
"reference": "p858fma5d67w0tw",
"status": "fai (truncated...)
in file D:\xampp\htdocs\cityjobber\vendor\guzzlehttp\guzzle\src\Exception\RequestException.php on line 113`

Not getting what is the problem because it works in one function but not in API controller.
Any solution

Submit form data from contoller

Hello, thanks for the awesome package, I wanted to find out if there was a run around for submitting form data from the controller to Paystack::getAuthorizationUrl()->redirectNow(); instead of from the hidden inputs in the form for security reasons. Thanks

Multiple Callbacks

Thanks so much for this Package, but there are few more things I am confused with here, I am building an application whereby I will be having multiple user payment integrations, for example, user will be paying for subscriptions on the platform, but with different user role,

User Role Group A (group A may have as many as possible users): For this user role, they will be having their paid subscription on the platform and after their payment, the callback URL after payment must be supplied so that i will activate their account in my platform, This set of Users also have different type of subscriptions they can opt-in for, and i will have to do activation for all those subscriptions.

User Role B & C: This also works like the User Group A but a little bit different but also its for subscription payment.

Does not work for laravel 5.5 and above (5.6)

I have tried using this package on laravel 5.5 and 5.6 but it keeps returning the curl 3 error, I have used this package on 5.4 and I had no problem. But that isn't the same in the former.

image
Please do check this out:
Steps to reproduce:

requirements:

  1. Windows computer
  2. Apache engine
  3. Localhost
  4. Laravel 5.5 and above

Steps:

  1. Install laravel 5.5 or above
  2. Require the unicodedeveloper paystack package
  3. Set it up as in the readme

try to Initialize a payment with the default inputs as provided in the readme

#26

Can't display all Transactions

Please i need help.

I am getting error displaying all transactions on a table.

I have used the method - Paystack::getAllTransactions(); to retrieve all transactions and pass to the view.

My Table

@foreach($transactions as $transaction)
                                    @endforeach
                                </tbody>
                            </table>

Die Dump of Paystack::getAllTransactions()

image

image

SN Payer Email Phone Amount Category Date Transaction Ref. Payment Status
{!! $c++ !!} {{ $transaction->metadata[0]}} {{ $transaction->customer['email']}} {{ $transaction->metadata[1]}} {{ number_format($transaction->amount, 2)}} {{ $transaction->metadata[2]}} {{ \Carbon\Carbon::parse($transaction->paidAt)->format('l jS, F Y') }} {{ $transaction->reference }} {{ $transaction->status }}

cURL error 35: SSL connect error (see http://curl.haxx.se/libcurl/c/libcurl-errors.html)

I've searched everywhere for this before opening this issue, and the Paystack team recommended I put this here, as they have not encountered this before.
I've used this quite a few times with Paystack and it works.
However, now I have this error that I think you can help with:
GuzzleHttp \ Exception \ ConnectException
cURL error 35: SSL connect error (see http://curl.haxx.se/libcurl/c/libcurl-errors.html)
I've tried everything, confirmed my public and private keys.
My internet connection is quite good as my development environment is in the cloud(CodeAnywhere).
I'm not working on XAMPP/WAMP.
Also, I build the app on CodeAnywhere, using Apache/PHP/CentOS.
Please, guide in the solution
image

Thank you.

Problem with configuration.

In the readme file you asked to skip a certain step if using Laravel >= 5.5

I am using 5.7.13 and if i skip the step, the cofiguration step doesn't work. I could easily just create the config file myself, since an example is provided, but i just wanted to bring it to your notice.

If i get the chance, i'll look into it and submit a PR.

Thanks for the package.

Any body experience this exception "URI must be a string or UriInterface"

The app has been throwing this error for a while. If I comment out this line in the form
<input type="hidden" name="reference" value="{{ Paystack::genTranxRef() }}"> it works fine but throws that same error on the PaymentController@redirectToGateway controller.

I search and realized it has to do with Guzzle, anyway to bypass this exception?

Class 'Paystack' not found

Hi,

I followed the instructions for installation, but each time I try to pay, I get the error "Class 'Paystack' not found".

Also when I try to publish the configuration file, it doesn't publish it but says "Publishing complete."

I'm running Laravel 5.6.

cURL error 6: Could not resolve host: api.paystack.co (see http://curl.haxx.se/libcurl/c/libcurl-errors.html)

When there is poor network, this error page is displayed... It doesn't look good.

in CurlFactory.php (line 186)

at CurlFactory::createRejection(object(EasyHandle), array('errno' => 6, 'error' => 'Could not resolve host: api.paystack.co', 'url' => 'https://api.paystack.co/transaction/verify/4mRfYfLTXlv781bsAMbWNWRaZ', 'content_type' => null, 'http_code' => 0, 'header_size' => 0, 'request_size' => 0, 'filetime' => -1, 'ssl_verify_result' => 0, 'redirect_count' => 0, 'total_time' => 0, 'namelookup_time' => 0, 'connect_time' => 0, 'pretransfer_time' => 0, 'size_upload' => 0, 'size_download' => 0, 'speed_download' => 0, 'speed_upload' => 0, 'download_content_length' => -1, 'upload_content_length' => -1, 'starttransfer_time' => 0, 'redirect_time' => 0, 'redirect_url' => '', 'primary_ip' => '', 'certinfo' => array(), 'primary_port' => 0, 'local_ip' => '', 'local_port' => 0))in CurlFactory.php (line 150)

only demo card details

i cant use other card details except the one provided on the page, how can it be stopped

Error Online

Thank you for the guide.

I tried the integration, while it redirects to paystack site offline. It doesn't work online. It keeps giving error
include(/var/www/vhosts/talkafricang.com/httpdocs/vendor/composer/../psr/http-message/src/UriInterface.php): failed to open stream: No such file or directory

Please help. thank you

Am geting this error what do I do

Client error: POST https://api.paystack.co/transaction/initialize resulted in a 401 Unauthorized response: { "status": false, "message": "Invalid key" }

Class Paystack not found

cannot find class Paystack . I have registered the package in the providers and aliases in my app\config. also after running php artisan publish, it says "nothing to publish for tags". Tried using the class without the alias and it still cant find it.

How to give callback url per transaction

From the documentation, you can only register callback url on the dashboard unlike the codeigniter api where you can specify callback url per transaction. I may have many transactions from different website, how do i specify callback for each transaction

Testing API connection

Using Laravel 5.4 and I just requird laravel-paystack plus necessary details. Getting this error presently

Client error: POST https://api.paystack.co/transaction/initialize resulted in a 400 Bad Request response:
{
"status": false,
"message": "Plan not found"
}

Kindly assist me here please

When I publish The service provider this is what I get

php artisan vendor:publish --provider="Unicodeveloper\Paystack\PaystackServiceProvider"

[Symfony\Component\Debug\Exception\FatalThrowableError]
Call to undefined method Unicodeveloper\Paystack\Facades\Paystack::isDeferred()

my app redirects to a blann paystack page

hello... my app redirected to a paystack url, it even had the generated transaction ID on the url but suprisingly the page is blank.. Any help would be greatly appreciated.

Paystack Inline

Please i'd like some info on how to use this package with paystack inline on laravel
It throws Exception if i try. Thanks in advance.

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.