核心变更: 1. FishingController 重写 - cast(): 生成随机浮漂坐标(x/y%) + 一次性 token - reel(): 必须携带 token 才能收竿(防脚本绕过) - 检测自动钓鱼卡剩余时间并返回给前端 2. 前端钓鱼逻辑重写 - 抛竿后显示随机位置 🪝 浮漂动画(全屏飘动) - 鱼上钩时浮漂「下沉」动画,8秒内点击浮漂才能收竿 - 超时未点击:鱼跑了,token 也失效 - 持有自动钓鱼卡:自动点击,紫色提示剩余时间 3. 商店新增「🎣 自动钓鱼卡」分组 - 3档:2h(800金)/8h(2500金)/24h(6000金) - 图标徽章显示剩余有效时间(紫色) - 购买后即时激活,无需手动操作 4. 数据库 - shop_items.type 加 auto_fishing 枚举 - shop_items.duration_minutes 新字段(分钟精度) - Seeder 写入 3 张卡数据 防挂机原理:按钮 → 浮漂随机位置,脚本无法固定坐标点击
91 lines
2.1 KiB
PHP
91 lines
2.1 KiB
PHP
<?php
|
||
|
||
/**
|
||
* 文件功能:商店商品模型
|
||
* 对应 shop_items 表,存储商品定义信息
|
||
*/
|
||
|
||
namespace App\Models;
|
||
|
||
use Illuminate\Database\Eloquent\Collection;
|
||
use Illuminate\Database\Eloquent\Model;
|
||
use Illuminate\Database\Eloquent\Relations\HasMany;
|
||
|
||
class ShopItem extends Model
|
||
{
|
||
protected $table = 'shop_items';
|
||
|
||
protected $fillable = [
|
||
'name', 'slug', 'description', 'icon', 'price',
|
||
'type', 'duration_days', 'duration_minutes', 'sort_order', 'is_active',
|
||
'intimacy_bonus', 'charm_bonus',
|
||
];
|
||
|
||
protected $casts = [
|
||
'is_active' => 'boolean',
|
||
];
|
||
|
||
/**
|
||
* 获取该商品的所有购买记录
|
||
*/
|
||
public function purchases(): HasMany
|
||
{
|
||
return $this->hasMany(UserPurchase::class);
|
||
}
|
||
|
||
/**
|
||
* 是否为自动钓鱼卡
|
||
*/
|
||
public function isAutoFishingCard(): bool
|
||
{
|
||
return $this->type === 'auto_fishing';
|
||
}
|
||
|
||
/**
|
||
* 是否为特效类商品(instant 或 duration,slug 以 once_ 或 week_ 开头)
|
||
*/
|
||
public function isEffect(): bool
|
||
{
|
||
return str_starts_with($this->slug, 'once_') || str_starts_with($this->slug, 'week_');
|
||
}
|
||
|
||
/**
|
||
* 是否为周卡(duration 类型)
|
||
*/
|
||
public function isWeekCard(): bool
|
||
{
|
||
return $this->type === 'duration';
|
||
}
|
||
|
||
/**
|
||
* 是否为单次卡(instant 类型)
|
||
*/
|
||
public function isInstant(): bool
|
||
{
|
||
return $this->type === 'instant';
|
||
}
|
||
|
||
/**
|
||
* 获取特效 key(去掉 once_ / week_ 前缀,返回 fireworks/rain/lightning/snow)
|
||
*/
|
||
public function effectKey(): ?string
|
||
{
|
||
if (str_starts_with($this->slug, 'once_')) {
|
||
return substr($this->slug, 5);
|
||
}
|
||
if (str_starts_with($this->slug, 'week_')) {
|
||
return substr($this->slug, 5);
|
||
}
|
||
|
||
return null;
|
||
}
|
||
|
||
/**
|
||
* 获取所有上架商品(按排序)
|
||
*/
|
||
public static function active(): Collection
|
||
{
|
||
return static::where('is_active', true)->orderBy('sort_order')->get();
|
||
}
|
||
}
|