Laravel Pennant
简介
Laravel Pennant 是一个简单轻量级的特性标志包 - 没有多余的装饰。特性标志使您能够自信地逐步推出新的应用程序特性、A/B 测试新的界面设计、补充基于主干的开发策略等等。
安装
首先,使用 Composer 包管理器将 Pennant 安装到您的项目中
1composer require laravel/pennant
接下来,您应该使用 vendor:publish
Artisan 命令发布 Pennant 的配置和迁移文件
1php artisan vendor:publish --provider="Laravel\Pennant\PennantServiceProvider"
最后,您应该运行应用程序的数据库迁移。这将创建一个 features
表,Pennant 使用该表为其 database
驱动程序提供支持
1php artisan migrate
配置
发布 Pennant 的资源后,其配置文件将位于 config/pennant.php
。此配置文件允许您指定 Pennant 用于存储已解析的特性标志值的默认存储机制。
Pennant 包括通过 array
驱动程序将已解析的特性标志值存储在内存数组中的支持。或者,Pennant 可以通过 database
驱动程序将已解析的特性标志值持久存储在关系数据库中,这是 Pennant 使用的默认存储机制。
定义功能
要定义一个功能,您可以使用 Feature
facade 提供的 define
方法。您需要为该功能提供一个名称,以及一个将调用以解析该功能初始值的闭包。
通常,功能是在服务提供者中使用 Feature
facade 定义的。闭包将接收功能检查的“作用域”。最常见的是,作用域是当前经过身份验证的用户。在此示例中,我们将定义一个功能,用于逐步向应用程序的用户推出新的 API
1<?php 2 3namespace App\Providers; 4 5use App\Models\User; 6use Illuminate\Support\Lottery; 7use Illuminate\Support\ServiceProvider; 8use Laravel\Pennant\Feature; 9 10class AppServiceProvider extends ServiceProvider11{12 /**13 * Bootstrap any application services.14 */15 public function boot(): void16 {17 Feature::define('new-api', fn (User $user) => match (true) {18 $user->isInternalTeamMember() => true,19 $user->isHighTrafficCustomer() => false,20 default => Lottery::odds(1 / 100),21 });22 }23}
如您所见,我们有以下功能规则
- 所有内部团队成员都应使用新的 API。
- 任何高流量客户都不应使用新的 API。
- 否则,该功能应随机分配给用户,激活的几率为 1/100。
首次为给定用户检查 new-api
功能时,闭包的结果将由存储驱动程序存储。下次针对同一用户检查该功能时,该值将从存储中检索,并且不会调用闭包。
为方便起见,如果功能定义仅返回彩票,则可以完全省略闭包
1Feature::define('site-redesign', Lottery::odds(1, 1000));
基于类的功能
Pennant 还允许您定义基于类的功能。与基于闭包的功能定义不同,无需在服务提供者中注册基于类的功能。要创建基于类的功能,您可以调用 pennant:feature
Artisan 命令。默认情况下,功能类将放置在应用程序的 app/Features
目录中
1php artisan pennant:feature NewApi
在编写功能类时,您只需定义一个 resolve
方法,该方法将被调用以解析给定作用域的功能初始值。同样,作用域通常是当前经过身份验证的用户
1<?php 2 3namespace App\Features; 4 5use App\Models\User; 6use Illuminate\Support\Lottery; 7 8class NewApi 9{10 /**11 * Resolve the feature's initial value.12 */13 public function resolve(User $user): mixed14 {15 return match (true) {16 $user->isInternalTeamMember() => true,17 $user->isHighTrafficCustomer() => false,18 default => Lottery::odds(1 / 100),19 };20 }21}
如果您想手动解析基于类的功能的实例,可以调用 Feature
facade 上的 instance
方法
1use Illuminate\Support\Facades\Feature;2 3$instance = Feature::instance(NewApi::class);
功能类通过 容器 解析,因此您可以根据需要在功能类的构造函数中注入依赖项。
自定义存储的功能名称
默认情况下,Pennant 将存储功能类的完全限定类名。如果您想将存储的功能名称与应用程序的内部结构分离,可以在功能类上指定 $name
属性。此属性的值将代替类名存储
1<?php 2 3namespace App\Features; 4 5class NewApi 6{ 7 /** 8 * The stored name of the feature. 9 *10 * @var string11 */12 public $name = 'new-api';13 14 // ...15}
检查功能
要确定功能是否处于活动状态,可以使用 Feature
facade 上的 active
方法。默认情况下,功能会针对当前经过身份验证的用户进行检查
1<?php 2 3namespace App\Http\Controllers; 4 5use Illuminate\Http\Request; 6use Illuminate\Http\Response; 7use Laravel\Pennant\Feature; 8 9class PodcastController10{11 /**12 * Display a listing of the resource.13 */14 public function index(Request $request): Response15 {16 return Feature::active('new-api')17 ? $this->resolveNewApiResponse($request)18 : $this->resolveLegacyApiResponse($request);19 }20 21 // ...22}
尽管默认情况下功能会针对当前经过身份验证的用户进行检查,但您可以轻松地针对另一个用户或作用域检查该功能。为此,请使用 Feature
facade 提供的 for
方法
1return Feature::for($user)->active('new-api')2 ? $this->resolveNewApiResponse($request)3 : $this->resolveLegacyApiResponse($request);
Pennant 还提供了一些额外的便利方法,这些方法在确定功能是否处于活动状态时可能会很有用
1// Determine if all of the given features are active... 2Feature::allAreActive(['new-api', 'site-redesign']); 3 4// Determine if any of the given features are active... 5Feature::someAreActive(['new-api', 'site-redesign']); 6 7// Determine if a feature is inactive... 8Feature::inactive('new-api'); 9 10// Determine if all of the given features are inactive...11Feature::allAreInactive(['new-api', 'site-redesign']);12 13// Determine if any of the given features are inactive...14Feature::someAreInactive(['new-api', 'site-redesign']);
在 HTTP 上下文之外(例如在 Artisan 命令或排队作业中)使用 Pennant 时,您通常应显式指定功能的作用域。或者,您可以定义一个默认作用域,该作用域同时考虑经过身份验证的 HTTP 上下文和未经身份验证的上下文。
检查基于类的功能
对于基于类的功能,您应在检查功能时提供类名
1<?php 2 3namespace App\Http\Controllers; 4 5use App\Features\NewApi; 6use Illuminate\Http\Request; 7use Illuminate\Http\Response; 8use Laravel\Pennant\Feature; 9 10class PodcastController11{12 /**13 * Display a listing of the resource.14 */15 public function index(Request $request): Response16 {17 return Feature::active(NewApi::class)18 ? $this->resolveNewApiResponse($request)19 : $this->resolveLegacyApiResponse($request);20 }21 22 // ...23}
条件执行
when
方法可用于在功能处于活动状态时流畅地执行给定的闭包。此外,如果功能处于非活动状态,则可以提供第二个闭包并执行该闭包
1<?php 2 3namespace App\Http\Controllers; 4 5use App\Features\NewApi; 6use Illuminate\Http\Request; 7use Illuminate\Http\Response; 8use Laravel\Pennant\Feature; 9 10class PodcastController11{12 /**13 * Display a listing of the resource.14 */15 public function index(Request $request): Response16 {17 return Feature::when(NewApi::class,18 fn () => $this->resolveNewApiResponse($request),19 fn () => $this->resolveLegacyApiResponse($request),20 );21 }22 23 // ...24}
unless
方法充当 when
方法的反向方法,如果功能处于非活动状态,则执行第一个闭包
1return Feature::unless(NewApi::class,2 fn () => $this->resolveLegacyApiResponse($request),3 fn () => $this->resolveNewApiResponse($request),4);
HasFeatures
Trait
可以将 Pennant 的 HasFeatures
trait 添加到应用程序的 User
模型(或任何其他具有功能的模型)中,以提供一种流畅、便捷的方式来直接从模型中检查功能
1<?php 2 3namespace App\Models; 4 5use Illuminate\Foundation\Auth\User as Authenticatable; 6use Laravel\Pennant\Concerns\HasFeatures; 7 8class User extends Authenticatable 9{10 use HasFeatures;11 12 // ...13}
将 trait 添加到模型后,您可以通过调用 features
方法轻松检查功能
1if ($user->features()->active('new-api')) {2 // ...3}
当然,features
方法提供了对许多其他便捷方法的访问,用于与功能进行交互
1// Values... 2$value = $user->features()->value('purchase-button') 3$values = $user->features()->values(['new-api', 'purchase-button']); 4 5// State... 6$user->features()->active('new-api'); 7$user->features()->allAreActive(['new-api', 'server-api']); 8$user->features()->someAreActive(['new-api', 'server-api']); 9 10$user->features()->inactive('new-api');11$user->features()->allAreInactive(['new-api', 'server-api']);12$user->features()->someAreInactive(['new-api', 'server-api']);13 14// Conditional execution...15$user->features()->when('new-api',16 fn () => /* ... */,17 fn () => /* ... */,18);19 20$user->features()->unless('new-api',21 fn () => /* ... */,22 fn () => /* ... */,23);
Blade 指令
为了使在 Blade 中检查功能成为无缝体验,Pennant 提供了 @feature
和 @featureany
指令
1@feature('site-redesign')2 <!-- 'site-redesign' is active -->3@else4 <!-- 'site-redesign' is inactive -->5@endfeature6 7@featureany(['site-redesign', 'beta'])8 <!-- 'site-redesign' or `beta` is active -->9@endfeatureany
中间件
Pennant 还包括一个中间件,可用于在路由被调用之前验证当前经过身份验证的用户是否有权访问某个功能。您可以将中间件分配给路由,并指定访问该路由所需的功能。如果对于当前经过身份验证的用户,指定的任何功能处于非活动状态,则路由将返回 400 Bad Request
HTTP 响应。可以将多个功能传递给静态 using
方法。
1use Illuminate\Support\Facades\Route;2use Laravel\Pennant\Middleware\EnsureFeaturesAreActive;3 4Route::get('/api/servers', function () {5 // ...6})->middleware(EnsureFeaturesAreActive::using('new-api', 'servers-api'));
自定义响应
如果您想自定义当列出的功能之一处于非活动状态时中间件返回的响应,可以使用 EnsureFeaturesAreActive
中间件提供的 whenInactive
方法。通常,此方法应在应用程序的服务提供者之一的 boot
方法中调用
1use Illuminate\Http\Request; 2use Illuminate\Http\Response; 3use Laravel\Pennant\Middleware\EnsureFeaturesAreActive; 4 5/** 6 * Bootstrap any application services. 7 */ 8public function boot(): void 9{10 EnsureFeaturesAreActive::whenInactive(11 function (Request $request, array $features) {12 return new Response(status: 403);13 }14 );15 16 // ...17}
拦截功能检查
有时,在检索给定功能的存储值之前执行一些内存检查会很有用。想象一下,您正在开发一个特性标志后面的新 API,并希望能够禁用新 API,而不会丢失存储中的任何已解析的特性值。如果您发现新 API 中存在错误,您可以轻松地为除内部团队成员之外的所有人禁用它,修复错误,然后为先前有权访问该功能的用户重新启用新 API。
您可以使用基于类的功能的 before
方法来实现此目的。如果存在,则 before
方法始终在内存中运行,然后再从存储中检索值。如果该方法返回非 null
值,则将在请求持续时间内使用该值代替功能的存储值
1<?php 2 3namespace App\Features; 4 5use App\Models\User; 6use Illuminate\Support\Facades\Config; 7use Illuminate\Support\Lottery; 8 9class NewApi10{11 /**12 * Run an always-in-memory check before the stored value is retrieved.13 */14 public function before(User $user): mixed15 {16 if (Config::get('features.new-api.disabled')) {17 return $user->isInternalTeamMember();18 }19 }20 21 /**22 * Resolve the feature's initial value.23 */24 public function resolve(User $user): mixed25 {26 return match (true) {27 $user->isInternalTeamMember() => true,28 $user->isHighTrafficCustomer() => false,29 default => Lottery::odds(1 / 100),30 };31 }32}
您还可以使用此功能来安排先前位于特性标志后面的功能的全局推出
1<?php 2 3namespace App\Features; 4 5use Illuminate\Support\Carbon; 6use Illuminate\Support\Facades\Config; 7 8class NewApi 9{10 /**11 * Run an always-in-memory check before the stored value is retrieved.12 */13 public function before(User $user): mixed14 {15 if (Config::get('features.new-api.disabled')) {16 return $user->isInternalTeamMember();17 }18 19 if (Carbon::parse(Config::get('features.new-api.rollout-date'))->isPast()) {20 return true;21 }22 }23 24 // ...25}
内存缓存
检查功能时,Pennant 将创建结果的内存缓存。如果您使用的是 database
驱动程序,这意味着在单个请求中重新检查同一特性标志不会触发额外的数据库查询。这也确保了在请求持续时间内功能具有一致的结果。
如果您需要手动刷新内存缓存,可以使用 Feature
facade 提供的 flushCache
方法
1Feature::flushCache();
作用域
指定作用域
如前所述,功能通常针对当前经过身份验证的用户进行检查。但是,这可能并不总是满足您的需求。因此,可以通过 Feature
facade 的 for
方法指定您要针对其检查给定功能的作用域
1return Feature::for($user)->active('new-api')2 ? $this->resolveNewApiResponse($request)3 : $this->resolveLegacyApiResponse($request);
当然,功能作用域不限于“用户”。想象一下,您构建了一个新的计费体验,您正在将其推广到整个团队,而不是个人用户。也许您希望较旧的团队比新的团队推出速度更慢。您的功能解析闭包可能如下所示
1use App\Models\Team; 2use Carbon\Carbon; 3use Illuminate\Support\Lottery; 4use Laravel\Pennant\Feature; 5 6Feature::define('billing-v2', function (Team $team) { 7 if ($team->created_at->isAfter(new Carbon('1st Jan, 2023'))) { 8 return true; 9 }10 11 if ($team->created_at->isAfter(new Carbon('1st Jan, 2019'))) {12 return Lottery::odds(1 / 100);13 }14 15 return Lottery::odds(1 / 1000);16});
您会注意到,我们定义的闭包不是期望 User
,而是期望 Team
模型。要确定此功能对于用户的团队是否处于活动状态,您应将团队传递给 Feature
facade 提供的 for
方法
1if (Feature::for($user->team)->active('billing-v2')) {2 return redirect('/billing/v2');3}4 5// ...
默认作用域
还可以自定义 Pennant 用于检查功能的默认作用域。例如,可能您的所有功能都是针对当前经过身份验证的用户的团队而不是用户进行检查的。您可以将团队指定为默认作用域,而无需每次检查功能时都调用 Feature::for($user->team)
。通常,这应在应用程序的服务提供者之一中完成
1<?php 2 3namespace App\Providers; 4 5use Illuminate\Support\Facades\Auth; 6use Illuminate\Support\ServiceProvider; 7use Laravel\Pennant\Feature; 8 9class AppServiceProvider extends ServiceProvider10{11 /**12 * Bootstrap any application services.13 */14 public function boot(): void15 {16 Feature::resolveScopeUsing(fn ($driver) => Auth::user()?->team);17 18 // ...19 }20}
如果未通过 for
方法显式提供作用域,则功能检查现在将使用当前经过身份验证的用户的团队作为默认作用域
1Feature::active('billing-v2');2 3// Is now equivalent to...4 5Feature::for($user->team)->active('billing-v2');
可为空的作用域
如果您在检查功能时提供的作用域为 null
,并且该功能的定义不支持通过可为空的类型或在联合类型中包含 null
,则 Pennant 将自动返回 false
作为功能的返回值。
因此,如果您传递给功能的作用域可能为 null
,并且您希望调用功能的 value 解析器,则应在功能定义中考虑这一点。如果在 Artisan 命令、排队作业或未经身份验证的路由中检查功能,则可能会发生 null
作用域。由于在这些上下文中通常没有经过身份验证的用户,因此默认作用域将为 null
。
如果您并非总是显式指定功能作用域,则应确保作用域的类型为“可为空”,并在功能定义逻辑中处理 null
作用域值
1use App\Models\User; 2use Illuminate\Support\Lottery; 3use Laravel\Pennant\Feature; 4 5Feature::define('new-api', fn (User $user) => match (true) { 6Feature::define('new-api', fn (User|null $user) => match (true) { 7 $user === null => true, 8 $user->isInternalTeamMember() => true, 9 $user->isHighTrafficCustomer() => false,10 default => Lottery::odds(1 / 100),11});
识别作用域
Pennant 的内置 array
和 database
存储驱动程序知道如何正确存储所有 PHP 数据类型以及 Eloquent 模型的 作用域标识符。但是,如果您的应用程序使用第三方 Pennant 驱动程序,则该驱动程序可能不知道如何正确存储应用程序中 Eloquent 模型或其他自定义类型的标识符。
鉴于此,Pennant 允许您通过在应用程序中用作 Pennant 作用域的对象上实现 FeatureScopeable
契约来格式化作用域值以进行存储。
例如,假设您在单个应用程序中使用两个不同的功能驱动程序:内置的 database
驱动程序和第三方“Flag Rocket”驱动程序。“Flag Rocket”驱动程序不知道如何正确存储 Eloquent 模型。相反,它需要 FlagRocketUser
实例。通过实现 FeatureScopeable
契约定义的 toFeatureIdentifier
,我们可以自定义提供给应用程序使用的每个驱动程序的可存储作用域值
1<?php 2 3namespace App\Models; 4 5use FlagRocket\FlagRocketUser; 6use Illuminate\Database\Eloquent\Model; 7use Laravel\Pennant\Contracts\FeatureScopeable; 8 9class User extends Model implements FeatureScopeable10{11 /**12 * Cast the object to a feature scope identifier for the given driver.13 */14 public function toFeatureIdentifier(string $driver): mixed15 {16 return match($driver) {17 'database' => $this,18 'flag-rocket' => FlagRocketUser::fromId($this->flag_rocket_id),19 };20 }21}
序列化作用域
默认情况下,Pennant 将在存储与 Eloquent 模型关联的功能时使用完全限定的类名。如果您已经在使用Eloquent morph map,您可以选择让 Pennant 也使用 morph map 将存储的功能与应用程序结构分离。
要实现此目的,在服务提供者中定义 Eloquent morph map 后,您可以调用 Feature
facade 的 useMorphMap
方法
1use Illuminate\Database\Eloquent\Relations\Relation;2use Laravel\Pennant\Feature;3 4Relation::enforceMorphMap([5 'post' => 'App\Models\Post',6 'video' => 'App\Models\Video',7]);8 9Feature::useMorphMap();
丰富的特性值
到目前为止,我们主要展示了功能处于二进制状态,这意味着它们要么是“活动”状态,要么是“非活动”状态,但 Pennant 也允许您存储丰富的值。
例如,假设您正在测试应用程序“立即购买”按钮的三种新颜色。您可以返回字符串而不是从功能定义中返回 true
或 false
1use Illuminate\Support\Arr;2use Laravel\Pennant\Feature;3 4Feature::define('purchase-button', fn (User $user) => Arr::random([5 'blue-sapphire',6 'seafoam-green',7 'tart-orange',8]));
您可以使用 value
方法检索 purchase-button
功能的值
1$color = Feature::value('purchase-button');
Pennant 包含的 Blade 指令还可以轻松地根据功能的当前值有条件地呈现内容
1@feature('purchase-button', 'blue-sapphire')2 <!-- 'blue-sapphire' is active -->3@elsefeature('purchase-button', 'seafoam-green')4 <!-- 'seafoam-green' is active -->5@elsefeature('purchase-button', 'tart-orange')6 <!-- 'tart-orange' is active -->7@endfeature
使用丰富的值时,重要的是要知道,当功能具有除 false
之外的任何值时,该功能被视为“活动”状态。
调用条件 when
方法时,功能的丰富值将提供给第一个闭包
1Feature::when('purchase-button',2 fn ($color) => /* ... */,3 fn () => /* ... */,4);
同样,当调用条件 unless
方法时,功能的丰富值将提供给可选的第二个闭包
1Feature::unless('purchase-button',2 fn () => /* ... */,3 fn ($color) => /* ... */,4);
检索多个功能
values
方法允许检索给定作用域的多个功能
1Feature::values(['billing-v2', 'purchase-button']);2 3// [4// 'billing-v2' => false,5// 'purchase-button' => 'blue-sapphire',6// ]
或者,您可以使用 all
方法检索给定作用域的所有已定义功能的值
1Feature::all();2 3// [4// 'billing-v2' => false,5// 'purchase-button' => 'blue-sapphire',6// 'site-redesign' => true,7// ]
但是,基于类的功能是动态注册的,并且在显式检查之前,Pennant 并不知道这些功能。这意味着,如果应用程序的基于类的功能在当前请求期间尚未检查过,则它们可能不会显示在 all
方法返回的结果中。
如果您想确保在使用 all
方法时始终包含功能类,可以使用 Pennant 的功能发现功能。要开始使用,请在应用程序的服务提供者之一中调用 discover
方法
1<?php 2 3namespace App\Providers; 4 5use Illuminate\Support\ServiceProvider; 6use Laravel\Pennant\Feature; 7 8class AppServiceProvider extends ServiceProvider 9{10 /**11 * Bootstrap any application services.12 */13 public function boot(): void14 {15 Feature::discover();16 17 // ...18 }19}
discover
方法将注册应用程序 app/Features
目录中的所有功能类。现在,all
方法将在其结果中包含这些类,无论它们是否在当前请求期间已被检查过
1Feature::all();2 3// [4// 'App\Features\NewApi' => true,5// 'billing-v2' => false,6// 'purchase-button' => 'blue-sapphire',7// 'site-redesign' => true,8// ]
预加载
尽管 Pennant 保留单个请求的所有已解析功能的内存缓存,但仍可能遇到性能问题。为了缓解这种情况,Pennant 提供了预加载功能值的能力。
为了说明这一点,假设我们正在循环中检查某个功能是否处于活动状态
1use Laravel\Pennant\Feature;2 3foreach ($users as $user) {4 if (Feature::for($user)->active('notifications-beta')) {5 $user->notify(new RegistrationSuccess);6 }7}
假设我们正在使用数据库驱动程序,此代码将为循环中的每个用户执行一个数据库查询 - 可能执行数百个查询。但是,使用 Pennant 的 load
方法,我们可以通过预加载用户或作用域集合的功能值来消除此潜在的性能瓶颈
1Feature::for($users)->load(['notifications-beta']);2 3foreach ($users as $user) {4 if (Feature::for($user)->active('notifications-beta')) {5 $user->notify(new RegistrationSuccess);6 }7}
要仅在尚未加载功能值时加载功能值,可以使用 loadMissing
方法
1Feature::for($users)->loadMissing([2 'new-api',3 'purchase-button',4 'notifications-beta',5]);
您可以使用 loadAll
方法加载所有已定义的功能
1Feature::for($users)->loadAll();
更新值
首次解析功能的值时,底层驱动程序会将结果存储在存储中。这通常是必要的,以确保用户在跨请求时获得一致的体验。但是,有时您可能想要手动更新功能的存储值。
要实现此目的,您可以使用 activate
和 deactivate
方法将功能“打开”或“关闭”
1use Laravel\Pennant\Feature;2 3// Activate the feature for the default scope...4Feature::activate('new-api');5 6// Deactivate the feature for the given scope...7Feature::for($user->team)->deactivate('billing-v2');
也可以通过为 activate
方法提供第二个参数来手动设置功能的丰富值
1Feature::activate('purchase-button', 'seafoam-green');
要指示 Pennant 忘记功能的存储值,可以使用 forget
方法。当再次检查该功能时,Pennant 将从其功能定义中解析该功能的值
1Feature::forget('purchase-button');
批量更新
要批量更新存储的功能值,可以使用 activateForEveryone
和 deactivateForEveryone
方法。
例如,假设您现在对 new-api
功能的稳定性充满信心,并且已经确定了结账流程的最佳 'purchase-button'
颜色 - 您可以相应地更新所有用户的存储值
1use Laravel\Pennant\Feature;2 3Feature::activateForEveryone('new-api');4 5Feature::activateForEveryone('purchase-button', 'seafoam-green');
或者,您可以为所有用户停用该功能
1Feature::deactivateForEveryone('new-api');
这只会更新 Pennant 存储驱动程序已存储的已解析功能值。您还需要更新应用程序中的功能定义。
清除功能
有时,从存储中清除整个功能会很有用。如果您已从应用程序中删除该功能,或者您已对功能定义进行了调整,而您想将其推广到所有用户,则通常需要这样做。
您可以使用 purge
方法删除功能的所有存储值
1// Purging a single feature...2Feature::purge('new-api');3 4// Purging multiple features...5Feature::purge(['new-api', 'purchase-button']);
如果您想从存储中清除所有功能,可以调用不带任何参数的 purge
方法
1Feature::purge();
由于清除功能作为应用程序部署管道的一部分可能很有用,因此 Pennant 包括一个 pennant:purge
Artisan 命令,该命令将从存储中清除提供的功能
1php artisan pennant:purge new-api2 3php artisan pennant:purge new-api purchase-button
也可以清除所有功能,但给定功能列表中的功能除外。例如,假设您想要清除所有功能,但保留存储中“new-api”和“purchase-button”功能的值。要实现此目的,您可以将这些功能名称传递给 --except
选项
1php artisan pennant:purge --except=new-api --except=purchase-button
为方便起见,pennant:purge
命令还支持 --except-registered
标志。此标志指示应清除除服务提供者中显式注册的功能之外的所有功能
1php artisan pennant:purge --except-registered
测试
在测试与特性标志交互的代码时,控制测试中特性标志的返回值的最简单方法是简单地重新定义该特性。例如,假设您在应用程序的服务提供者之一中定义了以下特性
1use Illuminate\Support\Arr;2use Laravel\Pennant\Feature;3 4Feature::define('purchase-button', fn () => Arr::random([5 'blue-sapphire',6 'seafoam-green',7 'tart-orange',8]));
要在测试中修改特性的返回值,您可以在测试开始时重新定义该特性。即使 Arr::random()
实现仍然存在于服务提供者中,以下测试也始终会通过
1use Laravel\Pennant\Feature;2 3test('it can control feature values', function () {4 Feature::define('purchase-button', 'seafoam-green');5 6 expect(Feature::value('purchase-button'))->toBe('seafoam-green');7});
1use Laravel\Pennant\Feature;2 3public function test_it_can_control_feature_values()4{5 Feature::define('purchase-button', 'seafoam-green');6 7 $this->assertSame('seafoam-green', Feature::value('purchase-button'));8}
相同的方法可用于基于类的功能
1use Laravel\Pennant\Feature;2 3test('it can control feature values', function () {4 Feature::define(NewApi::class, true);5 6 expect(Feature::value(NewApi::class))->toBeTrue();7});
1use App\Features\NewApi;2use Laravel\Pennant\Feature;3 4public function test_it_can_control_feature_values()5{6 Feature::define(NewApi::class, true);7 8 $this->assertTrue(Feature::value(NewApi::class));9}
如果您的功能返回 Lottery
实例,则有一些有用的测试助手函数可用。
存储配置
您可以通过在应用程序的 phpunit.xml
文件中定义 PENNANT_STORE
环境变量来配置 Pennant 在测试期间将使用的存储
1<?xml version="1.0" encoding="UTF-8"?>2<phpunit colors="true">3 <!-- ... -->4 <php>5 <env name="PENNANT_STORE" value="array"/>6 <!-- ... -->7 </php>8</phpunit>
添加自定义 Pennant 驱动程序
实现驱动程序
如果 Pennant 的现有存储驱动程序都不能满足应用程序的需求,您可以编写自己的存储驱动程序。您的自定义驱动程序应实现 Laravel\Pennant\Contracts\Driver
接口
1<?php 2 3namespace App\Extensions; 4 5use Laravel\Pennant\Contracts\Driver; 6 7class RedisFeatureDriver implements Driver 8{ 9 public function define(string $feature, callable $resolver): void {}10 public function defined(): array {}11 public function getAll(array $features): array {}12 public function get(string $feature, mixed $scope): mixed {}13 public function set(string $feature, mixed $scope, mixed $value): void {}14 public function setForAllScopes(string $feature, mixed $value): void {}15 public function delete(string $feature, mixed $scope): void {}16 public function purge(array|null $features): void {}17}
现在,我们只需要使用 Redis 连接来实现这些方法中的每一种。有关如何实现这些方法中的每一种的示例,请查看 Pennant 源代码中的 Laravel\Pennant\Drivers\DatabaseDriver
Laravel 没有附带用于包含扩展程序的目录。您可以将它们放置在任何您喜欢的位置。在本示例中,我们创建了一个 Extensions
目录来存放 RedisFeatureDriver
。
注册驱动程序
实现驱动程序后,您就可以将其注册到 Laravel。要向 Pennant 添加其他驱动程序,可以使用 Feature
facade 提供的 extend
方法。您应该从应用程序的服务提供者之一的 boot
方法中调用 extend
方法
1<?php 2 3namespace App\Providers; 4 5use App\Extensions\RedisFeatureDriver; 6use Illuminate\Contracts\Foundation\Application; 7use Illuminate\Support\ServiceProvider; 8use Laravel\Pennant\Feature; 9 10class AppServiceProvider extends ServiceProvider11{12 /**13 * Register any application services.14 */15 public function register(): void16 {17 // ...18 }19 20 /**21 * Bootstrap any application services.22 */23 public function boot(): void24 {25 Feature::extend('redis', function (Application $app) {26 return new RedisFeatureDriver($app->make('redis'), $app->make('events'), []);27 });28 }29}
注册驱动程序后,您可以在应用程序的 config/pennant.php
配置文件中使用 redis
驱动程序
1'stores' => [ 2 3 'redis' => [ 4 'driver' => 'redis', 5 'connection' => null, 6 ], 7 8 // ... 9 10],
在外部定义功能
如果您的驱动程序是第三方特性标志平台的包装器,则您可能会在该平台上定义功能,而不是使用 Pennant 的 Feature::define
方法。如果是这种情况,则您的自定义驱动程序还应实现 Laravel\Pennant\Contracts\DefinesFeaturesExternally
接口
1<?php 2 3namespace App\Extensions; 4 5use Laravel\Pennant\Contracts\Driver; 6use Laravel\Pennant\Contracts\DefinesFeaturesExternally; 7 8class FeatureFlagServiceDriver implements Driver, DefinesFeaturesExternally 9{10 /**11 * Get the features defined for the given scope.12 */13 public function definedFeaturesForScope(mixed $scope): array {}14 15 /* ... */16}
definedFeaturesForScope
方法应返回为提供的作用域定义的功能名称列表。
事件
Pennant 调度各种事件,这些事件在跟踪应用程序中的特性标志时可能很有用。
Laravel\Pennant\Events\FeatureRetrieved
每当检查功能时,都会调度此事件。此事件可能有助于创建和跟踪针对特性标志在整个应用程序中的使用情况的指标。
Laravel\Pennant\Events\FeatureResolved
首次为特定作用域解析功能的值时,将调度此事件。
Laravel\Pennant\Events\UnknownFeatureResolved
首次为特定作用域解析未知功能时,将调度此事件。如果您打算删除特性标志,但意外地在整个应用程序中留下了对它的零散引用,则侦听此事件可能很有用
1<?php 2 3namespace App\Providers; 4 5use Illuminate\Support\ServiceProvider; 6use Illuminate\Support\Facades\Event; 7use Illuminate\Support\Facades\Log; 8use Laravel\Pennant\Events\UnknownFeatureResolved; 9 10class AppServiceProvider extends ServiceProvider11{12 /**13 * Bootstrap any application services.14 */15 public function boot(): void16 {17 Event::listen(function (UnknownFeatureResolved $event) {18 Log::error("Resolving unknown feature [{$event->feature}].");19 });20 }21}
Laravel\Pennant\Events\DynamicallyRegisteringFeatureClass
当基于类的功能在请求期间首次动态检查时,将调度此事件。
Laravel\Pennant\Events\UnexpectedNullScopeEncountered
当 null
作用域传递给不支持 null 的功能定义时,将调度此事件。
这种情况会得到优雅处理,并且该功能将返回 false
。但是,如果您想选择退出此功能的默认优雅行为,可以在应用程序的 AppServiceProvider
的 boot
方法中注册此事件的侦听器
1use Illuminate\Support\Facades\Log; 2use Laravel\Pennant\Events\UnexpectedNullScopeEncountered; 3 4/** 5 * Bootstrap any application services. 6 */ 7public function boot(): void 8{ 9 Event::listen(UnexpectedNullScopeEncountered::class, fn () => abort(500));10}
Laravel\Pennant\Events\FeatureUpdated
通常通过调用 activate
或 deactivate
来更新作用域的功能时,将调度此事件。
Laravel\Pennant\Events\FeatureUpdatedForAllScopes
通常通过调用 activateForEveryone
或 deactivateForEveryone
来更新所有作用域的功能时,将调度此事件。
Laravel\Pennant\Events\FeatureDeleted
通常通过调用 forget
来删除作用域的功能时,将调度此事件。
Laravel\Pennant\Events\FeaturesPurged
清除特定功能时,将调度此事件。
Laravel\Pennant\Events\AllFeaturesPurged
清除所有功能时,将调度此事件。