Ремесленник Не могу увидеть WP_Query в глобальном пространстве имен

Я создаю приложение внутри Laravel. Частью этого проекта является фронт-сайт, которым маркетинговая команда моей компании хочет управлять через WordPress. Чтобы позволить им сделать это и получить легкий доступ к этим данным, я загружаю WordPress в Laravel, чтобы получить доступ к классам и функциям WordPress.

WordPress загружается в /public/index.php

<?php

/**
* Laravel - A PHP Framework For Web Artisans
*
* @package  Laravel
* @author   Taylor Otwell <taylorotwell@gmail.com>
*/

/*
|--------------------------------------------------------------------------
| Bootstrap WordPress Inside Of Laravel
|--------------------------------------------------------------------------
|
| Brings in the wordpress functions for use inside of your laravel classes
| like your controllers and service providers. This makes true coupling
| inside of laravel possible.
|
*/

define('WP_USE_THEMES', false);
require __DIR__.'/hunchentoot/wp-blog-header.php';

/*
|--------------------------------------------------------------------------
| Register The Auto Loader
|--------------------------------------------------------------------------
|
| Composer provides a convenient, automatically generated class loader for
| our application. We just need to utilize it! We'll simply require it
| into the script here so that we don't have to worry about manual
| loading any of our classes later on. It feels nice to relax.
|
*/

require __DIR__.'/../bootstrap/autoload.php';

/*
|--------------------------------------------------------------------------
| Turn On The Lights
|--------------------------------------------------------------------------
|
| We need to illuminate PHP development, so let us turn on the lights.
| This bootstraps the framework and gets it ready for use, then it
| will load up this application so that we can run it and send
| the responses back to the browser and delight our users.
|
*/

$app = require_once __DIR__.'/../bootstrap/app.php';

/*
|--------------------------------------------------------------------------
| Run The Application
|--------------------------------------------------------------------------
|
| Once we have the application, we can handle the incoming request
| through the kernel, and send the associated response back to
| the client's browser allowing them to enjoy the creative
| and wonderful application we have prepared for them.
|
*/

$kernel = $app->make(Illuminate\Contracts\Http\Kernel::class);

$response = $kernel->handle(
$request = Illuminate\Http\Request::capture()
);

$response->send();

$kernel->terminate($request, $response);

К сожалению, Artisan не может видеть эти классы, когда они используются внутри поставщика услуг.

Поставщик услуг в вопросе

<?php

namespace App\Providers;

use App\WPQuery\FooterLogosQuery;
use App\Formaters\FooterLogosFormater;
use Illuminate\Support\ServiceProvider;

class FooterLogosProvider extends ServiceProvider
{
/**
* Bootstrap the application services.
*
* @return void
*/
public function boot(FooterLogosQuery $footerLogosQuery, FooterLogosFormater $footerLogosFormater)
{
$logosQuery   = $footerLogosQuery->createQuery();
$queriedLogos = $footerLogosQuery->get_posts();
$logos        = $footerLogosFormater->formatFooterLogos($queriedLogos);

view()->share('footerLogos', $logos);
}

/**
* Register the application services.
*
* @return void
*/
public function register()
{
//
}
}

Опять же, чтобы сохранить здравомыслие, я абстрагировал класс WP_Query в инъецируемые классы внутри Laravel, ниже приводится тот, который используется поставщиком услуг.

«Запрос» для провайдера

<?php

namespace App\WPQuery;

class FooterLogosQuery extends \WP_Query
{
/**
* Container for the arguements for the query
*
* @var Array
*/
protected $args;

/**
* Container for the query order
*
* @var String
*/
public $order;

/**
* Container for the query post total
*
* @var Integer
*/
public $totalPosts;

/**
* Constructs the object and sets the default args
*
* @return void
*/
public function __construct()
{
$this->order      = 'ASC';
$this->totalPosts = 6;
$this->setArgs();
}

/**
* Sets the order for the query if called
*
* @param String $order Container for the query order
*/
public function setOrder($order)
{
$this->order = $order;
$this->setArgs();
}

/**
* Sets the total for the query if called
*
* @param Integer $total Container for the query post total
*/
public function setTotalPosts($total)
{
$this->totalPosts = $total;
$this->setArgs();
}

/**
* (Re)Sets the arguements for the query upon call
*
* @return void
*/
public function setArgs()
{
$this->args = [
'post_type'      => 'footer_logos',
'posts_per_page' => $this->totalPosts,
'order'          => $this->order,
];
}

/**
* Creates the query for manipulation inside of controller
*
* @return Object This is a WordPress Query Object
*/
public function createQuery()
{
parent::__construct($this->args);
}

/**
* Resets the query once the objects use is complete
*
* @return void
*/
public function __destruct()
{
wp_reset_query();
}
}

Каждый из них также имеет класс форматирования данных, чтобы его можно было без проблем передавать между контроллером и представлением.

Форматер «Query» для вышеуказанного класса

<?php

namespace App\Formaters;

class FooterLogosFormater {

/**
* Create a new formater instance.
*
* @return void
*/
public function __construct()
{

}

/**
* Formats the information from the wordpress object
*
* @param  Object $queryObject This is the raw Query Object
* @return Array               Returns useable data to controller
*/
public function formatFooterLogos($queryObject)
{
$logos = [];

foreach($queryObject as $key => $logo)
{
$logoId = get_post_meta($logo->ID, 'footer_logo', true);

$logos[$key] = [
'logo_link'  => get_post_meta($logo->ID, 'footer_logo_link', true),
'logo_image' => wp_get_attachment_url($logoId),
];
}

return $logos;
}
}

У меня все это хорошо работает, по крайней мере, для внешнего интерфейса приложения. Ремесленник ненавидит все это, и я не уверен, что с этим делать. Есть ли где-нибудь, чтобы выставить глобальное пространство имен ремесленнику? Или я просто SOL?

Любая помощь будет оценена.

Спасибо,
Роберт

1

Решение

Хотя это не идеальный ответ, я нашел обходной путь.

Новый поставщик услуг

<?php

namespace App\Providers;

use App\WPQuery\FooterLogosQuery;
use App\Formaters\FooterLogosFormater;
use Illuminate\Support\ServiceProvider;

class FooterLogosProvider extends ServiceProvider
{
/**
* Loads the data for this service provider
*
* @return Array returns array of usable data
*/
public function loadData()
{
$footerLogosQuery    = new FooterLogosQuery();
$footerLogosFormater = new FooterLogosFormater();

$logosQuery   = $footerLogosQuery->createQuery();
$queriedLogos = $footerLogosQuery->get_posts();
$logos        = $footerLogosFormater->formatFooterLogos($queriedLogos);

// Delets Objects From Memory
unset($footerLogosQuery, $footerLogosFormater);

return $logos;
}

/**
* Bootstrap the application services.
*
* @return void
*/
public function boot()
{
$logos = [];

// Stops false flag from being thrown in artisan
if (!$this->app->runningInConsole())
{
$logos = $this->loadData();
}

view()->share('footerLogos', $logos);
}

/**
* Register the application services.
*
* @return void
*/
public function register()
{
//
}
}

Вместо того, чтобы использовать внедрение зависимостей, я вручную инстанцировал новые экземпляры объекта для использования внутри вторичной функции, а затем ограничивал выполнение этой функции, когда ее нет в CLI.

0

Другие решения

Других решений пока нет …

По вопросам рекламы ammmcru@yandex.ru
Adblock
detector