CODE VN

CODE VN

1669974842

Lấy dữ liệu giữa hai ngày trong Laravel với ví dụ

Trong hướng dẫn này, chúng ta sẽ tìm hiểu cách lấy dữ liệu giữa hai ngày trong Laravel. Bạn có thể sử dụng nhiều hơn các ví dụ để tìm nạp các bản ghi giữa hai ngày trong laravel bằng cách sử dụng  các phương thức whereBetween()where()whereDate()eloquent.

Sử dụng Laravel whereBetween

Đầu tiên, chúng tôi sử dụng  whereBetween() phương thức inbuild của laravel để lấy các bản ghi giữa hai ngày. Đoạn mã dưới đây trả về các bài đăng được tạo_ở giữa '2022-07-01' và '2022-07-30'.

<?php
  
namespace App\Http\Controllers;
  
use Illuminate\Http\Request;
use App\Models\Post;
class PostController extends Controller
{
    public function index(Request $request)
    {
        $startDate = '2022-01-01';
        $endDate = '2022-07-30';

        $posts = Post::whereBetween('created_at', [$startDate, $endDate])->get();
        return $posts;
    }
}

Nhận dữ liệu giữa hai ngày với carbon

Để lấy dữ liệu giữa hai ngày, chúng ta có thể sử dụng carbon startOfDay()endOfDay()các phương thức, Các phương thức này hoạt động giống như ví dụ trên:

<?php
  
namespace App\Http\Controllers;
  
use Illuminate\Http\Request;
use App\Models\Post;
use Carbon\Carbon;
class PostController extends Controller
{
    public function index(Request $request)
    {
        $startDate = Carbon::createFromFormat('Y-m-d', '2022-06-01')->startOfDay();
        $endDate = Carbon::createFromFormat('Y-m-d', '2022-06-30')->endOfDay();

        $posts = Post::whereBetween('created_at', [$startDate, $endDate])->get();
        return $posts;
    }
}

Nhận dữ liệu giữa hai ngày bằng Eloquent Query

Eloquent cung cấp một  whereDate() phương pháp rất hữu ích sẽ làm được hai việc

  1. Xây dựng truy vấn SQL sử dụng  DATE() hàm SQL để định dạng nội dung của cột là  Ymd .
  2. Truyền đúng đối tượng Carbon hoặc Datetime sang  định dạng Ymd  trước khi so sánh nó.
<?php
  
namespace App\Http\Controllers;
  
use Illuminate\Http\Request;
use App\Models\Post;
use Carbon\Carbon;
class PostController extends Controller
{
    public function index(Request $request)
    {
        $startDate = Carbon::createFromFormat('Y-m-d', '2022-06-01');
        $endDate = Carbon::createFromFormat('Y-m-d', '2022-06-30');
        
        $posts = Post::whereDate('created_at', '>=', $startDate)
            ->whereDate('created_at', '<=', $endDate)
            ->get();
        return $posts;
    }
}

Laravel Ngày giữa ngày bắt đầu và ngày kết thúc

Đây là ví dụ bạn có thể lấy dữ liệu giữa 2 cột khác nhau, ở đây chúng tôi đang lấy cột 'start_at' và 'end_at', bạn có thể thử cái này.

<?php
  
namespace App\Http\Controllers;
  
use Illuminate\Http\Request;
use App\Models\User;
use Carbon\Carbon;
class UserController extends Controller
{
    public function index(Request $request)
    {
        $startDate = Carbon::createFromFormat('Y-m-d', '2022-06-01');
        $endDate = Carbon::createFromFormat('Y-m-d', '2022-06-30');
        $users = User::whereDate('start_at', '>=', $startDate)
                ->whereDate('end_at', '<=', $endDate)
                ->get();

        return $users;
    }
}

Nhận dữ liệu giữa hai ngày với Truy vấn thô của MySQL

Chúng ta cũng có thể nói rõ ràng với MySQL rằng chúng ta chỉ quan tâm đến ngày tháng bằng cách sử dụng DATE(). Truy vấn chúng tôi muốn là đây:

SELECT * FROM posts WHERE DATE(created_at) BETWEEN '2022-06-01' AND '2022-06-30'

Bằng cách đó, chúng tôi sẽ so sánh ngày với ngày chứ không phải với Ngày giờ. Chúng ta sẽ cần dùng đến DB:raw()để sao chép điều này với Eloquent, nó sẽ trông như thế này:

$startDate = '2022-06-01';
$endDate = '2022-06-30';

Post::whereBetween(DB::raw('DATE(created_at)'), [$startDate, $endDate])->get();

What is GEEK

Buddha Community

Seamus  Quitzon

Seamus Quitzon

1595201363

Php how to delete multiple rows through checkbox using ajax in laravel

First thing, we will need a table and i am creating products table for this example. So run the following query to create table.

CREATE TABLE `products` (
 `id` int(10) unsigned NOT NULL AUTO_INCREMENT,
 `name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
 `description` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
 `created_at` timestamp NULL DEFAULT CURRENT_TIMESTAMP,
 `updated_at` datetime DEFAULT NULL,
 PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=7 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci

Next, we will need to insert some dummy records in this table that will be deleted.

INSERT INTO `products` (`name`, `description`) VALUES

('Test product 1', 'Product description example1'),

('Test product 2', 'Product description example2'),

('Test product 3', 'Product description example3'),

('Test product 4', 'Product description example4'),

('Test product 5', 'Product description example5');

Now we are redy to create a model corresponding to this products table. Here we will create Product model. So let’s create a model file Product.php file under app directory and put the code below.

<?php

namespace App;

use Illuminate\Database\Eloquent\Model;

class Product extends Model
{
    protected $fillable = [
        'name','description'
    ];
}

Step 2: Create Route

Now, in this second step we will create some routes to handle the request for this example. So opeen routes/web.php file and copy the routes as given below.

routes/web.php

Route::get('product', 'ProductController@index');
Route::delete('product/{id}', ['as'=>'product.destroy','uses'=>'ProductController@destroy']);
Route::delete('delete-multiple-product', ['as'=>'product.multiple-delete','uses'=>'ProductController@deleteMultiple']);

#laravel #delete multiple rows in laravel using ajax #laravel ajax delete #laravel ajax multiple checkbox delete #laravel delete multiple rows #laravel delete records using ajax #laravel multiple checkbox delete rows #laravel multiple delete

CODE VN

CODE VN

1669974842

Lấy dữ liệu giữa hai ngày trong Laravel với ví dụ

Trong hướng dẫn này, chúng ta sẽ tìm hiểu cách lấy dữ liệu giữa hai ngày trong Laravel. Bạn có thể sử dụng nhiều hơn các ví dụ để tìm nạp các bản ghi giữa hai ngày trong laravel bằng cách sử dụng  các phương thức whereBetween()where()whereDate()eloquent.

Sử dụng Laravel whereBetween

Đầu tiên, chúng tôi sử dụng  whereBetween() phương thức inbuild của laravel để lấy các bản ghi giữa hai ngày. Đoạn mã dưới đây trả về các bài đăng được tạo_ở giữa '2022-07-01' và '2022-07-30'.

<?php
  
namespace App\Http\Controllers;
  
use Illuminate\Http\Request;
use App\Models\Post;
class PostController extends Controller
{
    public function index(Request $request)
    {
        $startDate = '2022-01-01';
        $endDate = '2022-07-30';

        $posts = Post::whereBetween('created_at', [$startDate, $endDate])->get();
        return $posts;
    }
}

Nhận dữ liệu giữa hai ngày với carbon

Để lấy dữ liệu giữa hai ngày, chúng ta có thể sử dụng carbon startOfDay()endOfDay()các phương thức, Các phương thức này hoạt động giống như ví dụ trên:

<?php
  
namespace App\Http\Controllers;
  
use Illuminate\Http\Request;
use App\Models\Post;
use Carbon\Carbon;
class PostController extends Controller
{
    public function index(Request $request)
    {
        $startDate = Carbon::createFromFormat('Y-m-d', '2022-06-01')->startOfDay();
        $endDate = Carbon::createFromFormat('Y-m-d', '2022-06-30')->endOfDay();

        $posts = Post::whereBetween('created_at', [$startDate, $endDate])->get();
        return $posts;
    }
}

Nhận dữ liệu giữa hai ngày bằng Eloquent Query

Eloquent cung cấp một  whereDate() phương pháp rất hữu ích sẽ làm được hai việc

  1. Xây dựng truy vấn SQL sử dụng  DATE() hàm SQL để định dạng nội dung của cột là  Ymd .
  2. Truyền đúng đối tượng Carbon hoặc Datetime sang  định dạng Ymd  trước khi so sánh nó.
<?php
  
namespace App\Http\Controllers;
  
use Illuminate\Http\Request;
use App\Models\Post;
use Carbon\Carbon;
class PostController extends Controller
{
    public function index(Request $request)
    {
        $startDate = Carbon::createFromFormat('Y-m-d', '2022-06-01');
        $endDate = Carbon::createFromFormat('Y-m-d', '2022-06-30');
        
        $posts = Post::whereDate('created_at', '>=', $startDate)
            ->whereDate('created_at', '<=', $endDate)
            ->get();
        return $posts;
    }
}

Laravel Ngày giữa ngày bắt đầu và ngày kết thúc

Đây là ví dụ bạn có thể lấy dữ liệu giữa 2 cột khác nhau, ở đây chúng tôi đang lấy cột 'start_at' và 'end_at', bạn có thể thử cái này.

<?php
  
namespace App\Http\Controllers;
  
use Illuminate\Http\Request;
use App\Models\User;
use Carbon\Carbon;
class UserController extends Controller
{
    public function index(Request $request)
    {
        $startDate = Carbon::createFromFormat('Y-m-d', '2022-06-01');
        $endDate = Carbon::createFromFormat('Y-m-d', '2022-06-30');
        $users = User::whereDate('start_at', '>=', $startDate)
                ->whereDate('end_at', '<=', $endDate)
                ->get();

        return $users;
    }
}

Nhận dữ liệu giữa hai ngày với Truy vấn thô của MySQL

Chúng ta cũng có thể nói rõ ràng với MySQL rằng chúng ta chỉ quan tâm đến ngày tháng bằng cách sử dụng DATE(). Truy vấn chúng tôi muốn là đây:

SELECT * FROM posts WHERE DATE(created_at) BETWEEN '2022-06-01' AND '2022-06-30'

Bằng cách đó, chúng tôi sẽ so sánh ngày với ngày chứ không phải với Ngày giờ. Chúng ta sẽ cần dùng đến DB:raw()để sao chép điều này với Eloquent, nó sẽ trông như thế này:

$startDate = '2022-06-01';
$endDate = '2022-06-30';

Post::whereBetween(DB::raw('DATE(created_at)'), [$startDate, $endDate])->get();

Juned Ghanchi

1621508419

Laravel App Development Company in India, Hire Laravel Developers

Hire our expert team of Laravel app developers for flexible PHP applications across various cloud service providers.

With this easy build technology, we develop feature-rich apps that make your complex business process a lot easier. Our apps are,

  • More secure and scalable.
  • A good framework lets you manage and organize resources better.
  • And have a rich community base.

Get your business a best in classlaravel app. Hire laravel app developers in India. We have the best organizational set-up to provide you the most advanced app development services.

#laravel app development company india #hire laravel developers india #laravel app development company #hire laravel developers #laravel development agency #laravel app programmers

Liz  Fernandes

Liz Fernandes

1670234150

Best Laravel Development Company

In the present world, PHP is a well-liked framework. Laravel is one of the most well-known frameworks out there. The popularity of Laravel is due to its expressiveness, flexibility, good controllers, strength, seamless caching, and time savings when handling tasks like routing, authentication, sessions, and many more.

Laravel is a PHP framework that everyone who knows PHP should be familiar with. The Laravel PHP framework is simple to learn and use, but it is packed with useful features. Despite rising market competition, many developers consider Laravel to be one of the best PHP frameworks available.

WPWeb Infotech is a top Laravel development company in India and the US since 2015. They develop reliable, scalable Laravel web and mobile apps using Ajax-enabled widgets, MVC patterns, and built-in tools. WPWeb Infotech has top-notch expertise in combining a variety of front- and back-end technologies like Laravel + VueJS, Laravel + Angular, and Laravel + ReactJS to create scalable and secure web architectures, so you don't have to worry about scalability and flexibility while developing your product. They understand business scale and recommend technology that fits. Agile experts reduce web and mobile app development time and risk.

When it comes to hiring Laravel developers from India, they are the best choice because their Laravel developers can work according to your time zone to provide you with hassle-free, innovative, and straightforward web development solutions. Being the most trusted Laravel development company in India, they can help you reach new heights of success, unleashing the power of the Laravel PHP framework.

Partner with one of India’s best Laravel Development Company and get the most expertise in Laravel development.

#laravel  #laravel-development #laravel-development-company #laravel-development-services #hire-laravel-developers

sophia tondon

sophia tondon

1618970788

Top Laravel Development Company India | Laravel Development Services

Laravel is a popular framework for website development, acquiring 25.85% of the PHP framework market share. As a most admired framework among PHP frameworks, it is being utilized for e-commerce, enterprise, social media, and various different types of websites.

There are more than 1 million websites worldwide available over the web that are created using Laravel. Laravel framework is the first preference of PHP developers as it allows them to develop highly scalable, flexible, and faster web applications.

Surely, you, too, would want to deliver a splendid and unhindered user experience to your target audience over the web. Laravel framework can help you achieve this pursuit at ease; all you need to do is hire Laravel developers from reliable & coveted hosts. But! There is no shortage of Laravel development companies that promise to deliver an excellent solution, but only some are able to deliver top-notch quality.

Therefore, I have decided to enlist top Laravel development companies to help you find a reliable and expert host for web development. So, stay hooked with me till the end of this article and explore the best Laravel developers in 2021.

While creating this list, I have kept the following pointers in reflection:

Years of excellence (average 8 years)
Workfolio
Rewards & Recognition
Client rating & feedback
Hourly/Monthly Price
Number of happy clients
Number of successfully launched projects
Minimum man-years experience
So, let’s not waste a minute and glance at top Laravel development companies to hire for creating excellent web solutions.

Read More - https://www.valuecoders.com/blog/technology-and-apps/top-laravel-development-companies-to-hire-experts/

#hire a laravel developer #hire laravel developer #hire laravel developers #laravel developer for hire #laravel developers #laravel developers for hire