- 모델 추가: SalesPartner, SalesTenantManagement, SalesScenarioChecklist, SalesConsultation - 모델 위치 이동: app/Models/ → app/Models/Sales/ - 컨트롤러 수정: 캐시 대신 DB 모델 사용 - 뷰 수정: Eloquent 모델 속성 사용 Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
117 lines
2.8 KiB
PHP
117 lines
2.8 KiB
PHP
<?php
|
|
|
|
namespace App\Models\Sales;
|
|
|
|
use App\Models\User;
|
|
use Illuminate\Database\Eloquent\Model;
|
|
use Illuminate\Database\Eloquent\Relations\BelongsTo;
|
|
use Illuminate\Database\Eloquent\Relations\HasMany;
|
|
use Illuminate\Database\Eloquent\SoftDeletes;
|
|
|
|
/**
|
|
* 영업 파트너(영업 담당자) 모델
|
|
*
|
|
* @property int $id
|
|
* @property int $user_id
|
|
* @property string $partner_code
|
|
* @property string $partner_type
|
|
* @property float $commission_rate
|
|
* @property float $manager_commission_rate
|
|
* @property string|null $bank_name
|
|
* @property string|null $account_number
|
|
* @property string|null $account_holder
|
|
* @property string $status
|
|
* @property \Carbon\Carbon|null $approved_at
|
|
* @property int|null $approved_by
|
|
* @property int $total_contracts
|
|
* @property float $total_commission
|
|
* @property string|null $notes
|
|
*/
|
|
class SalesPartner extends Model
|
|
{
|
|
use SoftDeletes;
|
|
|
|
protected $table = 'sales_partners';
|
|
|
|
protected $fillable = [
|
|
'user_id',
|
|
'partner_code',
|
|
'partner_type',
|
|
'commission_rate',
|
|
'manager_commission_rate',
|
|
'bank_name',
|
|
'account_number',
|
|
'account_holder',
|
|
'status',
|
|
'approved_at',
|
|
'approved_by',
|
|
'total_contracts',
|
|
'total_commission',
|
|
'notes',
|
|
];
|
|
|
|
protected $casts = [
|
|
'commission_rate' => 'decimal:2',
|
|
'manager_commission_rate' => 'decimal:2',
|
|
'total_contracts' => 'integer',
|
|
'total_commission' => 'decimal:2',
|
|
'approved_at' => 'datetime',
|
|
];
|
|
|
|
/**
|
|
* 연결된 사용자
|
|
*/
|
|
public function user(): BelongsTo
|
|
{
|
|
return $this->belongsTo(User::class);
|
|
}
|
|
|
|
/**
|
|
* 승인자
|
|
*/
|
|
public function approver(): BelongsTo
|
|
{
|
|
return $this->belongsTo(User::class, 'approved_by');
|
|
}
|
|
|
|
/**
|
|
* 담당 테넌트 관리 목록
|
|
*/
|
|
public function tenantManagements(): HasMany
|
|
{
|
|
return $this->hasMany(SalesTenantManagement::class, 'sales_partner_id');
|
|
}
|
|
|
|
/**
|
|
* 파트너 코드 자동 생성
|
|
*/
|
|
public static function generatePartnerCode(): string
|
|
{
|
|
$prefix = 'SP';
|
|
$year = now()->format('y');
|
|
$lastPartner = self::whereYear('created_at', now()->year)
|
|
->orderBy('id', 'desc')
|
|
->first();
|
|
|
|
$sequence = $lastPartner ? (int) substr($lastPartner->partner_code, -4) + 1 : 1;
|
|
|
|
return $prefix . $year . str_pad($sequence, 4, '0', STR_PAD_LEFT);
|
|
}
|
|
|
|
/**
|
|
* 활성 파트너 스코프
|
|
*/
|
|
public function scopeActive($query)
|
|
{
|
|
return $query->where('status', 'active');
|
|
}
|
|
|
|
/**
|
|
* 승인 대기 스코프
|
|
*/
|
|
public function scopePending($query)
|
|
{
|
|
return $query->where('status', 'pending');
|
|
}
|
|
}
|