Welcome to the SharpAPI Laravel Integration Guide! This repository provides a comprehensive, step-by-step tutorial on how to integrate SharpAPI into your next Laravel AI application. Whether you're looking to enhance your app with** AI-powered features** or automate workflows, this guide will walk you through the entire process, from authentication to making API calls and handling responses.
Article published also as a Github repository at https://github.com/sharpapi/laravel-ai-integration-guide.
Before you begin, ensure you have met the following requirements:
If you already have a Laravel project, you can skip this step. Otherwise, follow these instructions to create a new Laravel project.
composer create-project --prefer-dist laravel/laravel laravel-ai-integration-guide
cd laravel-ai-integration-guide
php artisan serve
The application will be accessible at http://localhost:8000.
To interact with SharpAPI, you'll need to install the SharpAPI PHP client library.
Require the SharpAPI Package via Composer
composer require sharpapi/sharpapi-laravel-client php artisan vendor:publish --tag=sharpapi-laravel-client
Storing sensitive information like API keys in environment variables is a best practice. Laravel uses the .env file for environment-specific configurations.
Located in the root directory of your Laravel project.
SHARP_API_KEY=your_actual_sharpapi_api_key_here
Note: Replace your_actual_sharpapi_api_key_here with your actual SharpAPI API key.
Laravel provides the env helper function to access environment variables.
$apiKey = env('SHARP_API_KEY');
Authentication is required to interact with SharpAPI's endpoints securely.
Create a service or use it directly in your controllers.
client = new SharpApiService(env('SHARP_API_KEY')); } public function getClient() { return $this->client; } }
This allows you to inject the service wherever needed.
app->singleton(SharpApiClient::class, function ($app) { return new SharpApiClient(); }); } public function boot() { // } }
sharpApi = $sharpApi->getClient(); } public function ping() { $response = $this->sharpApi->ping(); return response()->json($response); } }
Add routes to routes/web.php or routes/api.php:
use App\Http\Controllers\SharpApiController; Route::get('/sharpapi/ping', [SharpApiController::class, 'ping']);
Once authenticated, you can start making API calls to various SharpAPI endpoints. Below are examples of how to interact with different endpoints.
sharpApi = $sharpApi->getClient(); } public function generateJobDescription() { $jobDescriptionParams = new JobDescriptionParameters( "Software Engineer", "Tech Corp", "5 years", "Bachelor's Degree in Computer Science", "Full-time", [ "Develop software applications", "Collaborate with cross-functional teams", "Participate in agile development processes" ], [ "Proficiency in PHP and Laravel", "Experience with RESTful APIs", "Strong problem-solving skills" ], "USA", true, // isRemote true, // hasBenefits "Enthusiastic", "Category C driving license", "English" ); $statusUrl = $this->sharpApi->generateJobDescription($jobDescriptionParams); $resultJob = $this->sharpApi->fetchResults($statusUrl); return response()->json($resultJob->getResultJson()); } }
Route::get('/sharpapi/generate-job-description', [SharpApiController::class, 'generateJobDescription']);
Visit http://localhost:8000/sharpapi/generate-job-description to see the generated job description.
SharpAPI responses are typically encapsulated in job objects. To handle these responses effectively:
{ "id": "uuid", "type": "JobType", "status": "Completed", "result": { // Result data } }
Use the provided methods to access the result data.
$resultJob = $this->sharpApi->fetchResults($statusUrl); $resultData = $resultJob->getResultObject(); // As a PHP object // or $resultJson = $resultJob->getResultJson(); // As a JSON string
public function generateJobDescription() { // ... (initialize and make API call) if ($resultJob->getStatus() === 'Completed') { $resultData = $resultJob->getResultObject(); // Process the result data as needed return response()->json($resultData); } else { return response()->json(['message' => 'Job not completed yet.'], 202); } }
Proper error handling ensures that your application can gracefully handle issues that arise during API interactions.
Wrap your API calls in try-catch blocks to handle exceptions.
public function generateJobDescription() { try { // ... (initialize and make API call) $resultJob = $this->sharpApi->fetchResults($statusUrl); return response()->json($resultJob->getResultJson()); } catch (\Exception $e) { return response()->json([ 'error' => 'An error occurred while generating the job description.', 'message' => $e->getMessage() ], 500); } }
Check the status of the job and handle different statuses accordingly.
if ($resultJob->getStatus() === 'Completed') { // Handle success } elseif ($resultJob->getStatus() === 'Failed') { // Handle failure $error = $resultJob->getResultObject()->error; return response()->json(['error' => $error], 400); } else { // Handle other statuses (e.g., Pending, In Progress) return response()->json(['message' => 'Job is still in progress.'], 202); }
Testing is crucial to ensure that your integration with SharpAPI works as expected.
Use Laravel's built-in testing tools to write unit tests for your SharpAPI integration.
sharpApi = new SharpApiClient(); } public function testPing() { $response = $this->sharpApi->ping(); $this->assertEquals('OK', $response['status']); } public function testGenerateJobDescription() { $jobDescriptionParams = new JobDescriptionParameters( "Backend Developer", "InnovateTech", "3 years", "Bachelor's Degree in Computer Science", "Full-time", ["Develop APIs", "Optimize database queries"], ["Proficiency in PHP and Laravel", "Experience with RESTful APIs"], "USA", true, true, "Professional", "Category B driving license", "English" ); $statusUrl = $this->sharpApi->generateJobDescription($jobDescriptionParams); $resultJob = $this->sharpApi->fetchResults($statusUrl); $this->assertEquals('Completed', $resultJob->getStatus()); $this->assertNotEmpty($resultJob->getResultObject()); } // Add more tests for other methods... }
Execute your tests using PHPUnit.
./vendor/bin/phpunit
For handling multiple API requests concurrently, consider implementing asynchronous processing using Laravel Queues.
Configure your queue driver in the .env file.
QUEUE_CONNECTION=database
Run the necessary migrations.
php artisan queue:table php artisan migrate
php artisan make:job ProcessSharpApiRequest
params = $params; } public function handle(SharpApiClient $sharpApi) { $statusUrl = $sharpApi->generateJobDescription($this->params); $resultJob = $sharpApi->fetchResults($statusUrl); // Handle the result... } }
use App\Jobs\ProcessSharpApiRequest; public function generateJobDescriptionAsync() { $jobDescriptionParams = new JobDescriptionParameters( // ... parameters ); ProcessSharpApiRequest::dispatch($jobDescriptionParams); return response()->json(['message' => 'Job dispatched successfully.']); }
php artisan queue:work
To optimize performance and reduce redundant API calls, implement caching.
use Illuminate\Support\Facades\Cache; public function generateJobDescription() { $cacheKey = 'job_description_' . md5(json_encode($jobDescriptionParams)); $result = Cache::remember($cacheKey, 3600, function () use ($jobDescriptionParams) { $statusUrl = $this->sharpApi->generateJobDescription($jobDescriptionParams); $resultJob = $this->sharpApi->fetchResults($statusUrl); return $resultJob->getResultJson(); }); return response()->json(json_decode($result, true)); }
When the underlying data changes, ensure to invalidate the relevant cache.
Cache::forget('job_description_' . md5(json_encode($jobDescriptionParams)));
Integrating SharpAPI into your Laravel application unlocks a myriad of AI-powered functionalities, enhancing your application's capabilities and providing seamless workflow automation. This guide has walked you through the essential steps, from setting up authentication to making API calls and handling responses. With the examples and best practices provided, you're well-equipped to leverage SharpAPI's powerful features in your Laravel projects.
If you encounter any issues or have questions regarding the integration process, feel free to open an issue on the GitHub repository or contact our support team at [email protected].
This project is licensed under the MIT License.
Haftungsausschluss: Alle bereitgestellten Ressourcen stammen teilweise aus dem Internet. Wenn eine Verletzung Ihres Urheberrechts oder anderer Rechte und Interessen vorliegt, erläutern Sie bitte die detaillierten Gründe und legen Sie einen Nachweis des Urheberrechts oder Ihrer Rechte und Interessen vor und senden Sie ihn dann an die E-Mail-Adresse: [email protected] Wir werden die Angelegenheit so schnell wie möglich für Sie erledigen.
Copyright© 2022 湘ICP备2022001581号-3