Compare commits

..

No commits in common. "main" and "main_sou" have entirely different histories.

352 changed files with 41135 additions and 39600 deletions

18
.env
View File

@ -2,7 +2,7 @@ APP_NAME=so-manager
APP_ENV=local
APP_KEY=base64:ejLwJbt2bEXY9emPUmsurG+X1hzkjTxQQvq2/FO14RY=
APP_DEBUG=true
APP_URL=https://krgm.so-manager-dev.com/
APP_URL=https://main-sou.so-manager-dev.com/
APP_LOCALE=ja
APP_FALLBACK_LOCALE=ja
APP_FAKER_LOCALE=ja_JP
@ -46,16 +46,14 @@ REDIS_HOST=127.0.0.1
REDIS_PASSWORD=null
REDIS_PORT=6379
MAIL_MAILER=smtp
#MAIL_SCHEME=null
MAIL_HOST=tomatofox9.sakura.ne.jp
MAIL_PORT=587
MAIL_USERNAME=demo@so-rin.jp
MAIL_PASSWORD=rokuchou4665
MAIL_ENCRYPTION=tls
MAIL_FROM_ADDRESS=demo@so-rin.jp
MAIL_MAILER=log
MAIL_SCHEME=null
MAIL_HOST=127.0.0.1
MAIL_PORT=2525
MAIL_USERNAME=null
MAIL_PASSWORD=null
MAIL_FROM_ADDRESS="hello@so-manager-dev.com"
MAIL_FROM_NAME="${APP_NAME}"
MAIL_ADMIN=demo@so-rin.jp
AWS_ACCESS_KEY_ID=
AWS_SECRET_ACCESS_KEY=

View File

@ -1,18 +0,0 @@
name: Deploy main
on:
push:
branches: ["main"]
workflow_dispatch:
concurrency:
group: deploy-${{ github.ref }}
cancel-in-progress: true
jobs:
deploy:
runs-on: ["native"]
steps:
- uses: actions/checkout@v4
- name: Deploy main to server
run: /usr/local/bin/deploy_krgm.sh

View File

@ -1,28 +1,20 @@
name: Deploy preview (main_xxx)
name: Deploy preview (main_sou)
on:
push:
branches:
- 'main_*' # 通配所有 main_xxx 分支
branches: ["main_sou"]
workflow_dispatch:
concurrency:
group: deploy-${{ github.ref_name }} # 同一分支串行
group: deploy-main_sou
cancel-in-progress: true
jobs:
deploy:
name: Deploy ${{ github.ref_name }}
runs-on: ["native"]
steps:
- uses: actions/checkout@v4
- name: Set BRANCH env
shell: bash
run: |
BR="${GITHUB_REF_NAME:-${GITHUB_REF##*/}}"
echo "BRANCH=$BR" >> "$GITHUB_ENV"
echo "Branch: $BR"
- name: Deploy to preview
- name: Deploy to preview (main_sou)
env:
BRANCH: main_sou
run: /usr/local/bin/deploy_branch_simple.sh

4
.gitignore vendored
View File

@ -21,7 +21,3 @@ yarn-error.log
/.nova
/.vscode
/.zed
/docs
# Backup files
*.bak
/.gitea/workflows/deploy-main.yml

View File

@ -1,10 +0,0 @@
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
class AppModel extends Model
{
}

View File

@ -1,81 +0,0 @@
<?php
namespace App\Console\Commands;
use Illuminate\Console\Command;
use App\Models\Ope;
use Carbon\Carbon;
class CheckPasswordExpiry extends Command
{
/**
* コマンドの名前と説明
*
* @var string
*/
protected $signature = 'password:check-expiry {ope_id?}';
/**
* @var string
*/
protected $description = 'パスワード有効期限をチェック';
/**
* コマンド実行
*/
public function handle(): int
{
$opeId = $this->argument('ope_id');
if ($opeId) {
$ope = Ope::find($opeId);
if (!$ope) {
$this->error("Ope with ID {$opeId} not found");
return 1;
}
$this->checkOpe($ope);
} else {
// すべてのオペレータをチェック
$opes = Ope::all();
foreach ($opes as $ope) {
$this->checkOpe($ope);
}
}
return 0;
}
/**
* 単一オペレータの有効期限をチェック
*/
private function checkOpe(Ope $ope): void
{
$this->info("=== Ope ID: {$ope->ope_id} ({$ope->ope_name}) ===");
$this->info("ope_pass_changed_at: " . ($ope->ope_pass_changed_at ?? 'NULL'));
if (is_null($ope->ope_pass_changed_at)) {
$this->warn("❌ Password change REQUIRED (never changed)");
return;
}
try {
$changedAt = Carbon::parse($ope->ope_pass_changed_at);
$now = Carbon::now();
$monthsDiff = $now->diffInMonths($changedAt);
$this->info("Changed At: " . $changedAt->format('Y-m-d H:i:s'));
$this->info("Now: " . $now->format('Y-m-d H:i:s'));
$this->info("Months Difference: {$monthsDiff}");
if ($monthsDiff >= 3) {
$this->warn("❌ Password change REQUIRED ({$monthsDiff} months passed)");
} else {
$this->line("✅ Password is valid ({$monthsDiff} months passed, {3 - $monthsDiff} months remaining)");
}
} catch (\Exception $e) {
$this->error("Error parsing date: {$e->getMessage()}");
}
$this->line("");
}
}

View File

@ -0,0 +1,238 @@
<?php
namespace App\Console\Commands;
use Illuminate\Console\Command;
use Illuminate\Support\Facades\Log;
use App\Models\Batch\BatchLog;
use App\Models\Device;
/**
* SHJ-8 バッチ処理ログ登録コマンド
*
* 統一BatchLogを使用してバッチ処理の実行ログをbatch_logテーブルに登録する
* 仕様書に基づくSHJ-8の要求パラメータを受け取り、通用のログシステムで記録
*/
class ShjBatchLogCommand extends Command
{
/**
* コンソールコマンドの名前とシグネチャ
*
* 引数:
* - device_id: デバイスID (必須)
* - process_name: プロセス名 (必須)
* - job_name: ジョブ名 (必須)
* - status: ステータス (必須)
* - created_date: 登録日時 (必須、yyyy/mm/dd形式)
* - updated_date: 更新日時 (必須、yyyy/mm/dd形式)
*
* @var string
*/
protected $signature = 'shj:batch-log {device_id : デバイスID} {process_name : プロセス名} {job_name : ジョブ名} {status : ステータス} {created_date : 登録日時} {updated_date : 更新日時}';
/**
* コンソールコマンドの説明
*
* @var string
*/
protected $description = 'SHJ-8 バッチ処理ログ登録 - バッチ処理の実行ログを登録';
/**
* コンストラクタ
*/
public function __construct()
{
parent::__construct();
}
/**
* コンソールコマンドを実行
*
* 処理フロー:
* 1. 入力パラメーターをチェックする
* 2. 統一BatchLogを使用してbatch_logテーブルに記録
* 3. 仕様書準拠の処理結果を返却する
*
* @return int
*/
public function handle()
{
try {
// 開始ログ出力
$startTime = now();
$this->info('SHJ-8 バッチ処理ログ登録を開始します。');
// 引数取得
$deviceId = (int) $this->argument('device_id');
$processName = $this->argument('process_name');
$jobName = $this->argument('job_name');
$status = $this->argument('status');
$createdDate = $this->argument('created_date');
$updatedDate = $this->argument('updated_date');
Log::info('SHJ-8 バッチ処理ログ登録開始', [
'start_time' => $startTime,
'device_id' => $deviceId,
'process_name' => $processName,
'job_name' => $jobName,
'status' => $status,
'created_date' => $createdDate,
'updated_date' => $updatedDate
]);
// 【処理1】入力パラメーターをチェックする
$paramCheckResult = $this->validateParameters($deviceId, $processName, $jobName, $status, $createdDate, $updatedDate);
if (!$paramCheckResult['valid']) {
$this->error('パラメータエラー: ' . $paramCheckResult['message']);
// 仕様書【判断1】パラメーターNG時の結果出力
$this->line('処理結果: 1'); // 1 = 異常終了
$this->line('異常情報: ' . $paramCheckResult['message']);
return self::FAILURE;
}
// 【処理2】統一BatchLogを使用してログ登録
$batchLog = BatchLog::createBatchLog(
$processName, // 実際のプロセス名を使用
$status,
[
'device_id' => $deviceId,
'job_name' => $jobName,
'status_comment' => BatchLog::getSuccessComment(),
'input_created_date' => $createdDate,
'input_updated_date' => $updatedDate,
'shj8_params' => [
'device_id' => $deviceId,
'process_name' => $processName,
'job_name' => $jobName,
'status' => $status,
'created_date' => $createdDate,
'updated_date' => $updatedDate
]
],
$jobName . '' . BatchLog::getSuccessComment()
);
$endTime = now();
$this->info('SHJ-8 バッチ処理ログ登録が正常に完了しました。');
$this->info("処理時間: {$startTime->diffInSeconds($endTime)}");
Log::info('SHJ-8 バッチ処理ログ登録完了', [
'end_time' => $endTime,
'duration_seconds' => $startTime->diffInSeconds($endTime),
'batch_log_id' => $batchLog->id
]);
// 仕様書【処理3】正常終了時の結果出力
$this->line('処理結果: 0'); // 0 = 正常終了
$this->line('異常情報: '); // 正常時は空文字
return self::SUCCESS;
} catch (\Exception $e) {
$this->error('SHJ-8 バッチ処理ログ登録で予期しないエラーが発生しました: ' . $e->getMessage());
Log::error('SHJ-8 バッチ処理ログ登録例外エラー', [
'exception' => $e->getMessage(),
'trace' => $e->getTraceAsString()
]);
// 仕様書【処理3】異常終了時の結果出力
$this->line('処理結果: 1'); // 1 = 異常終了
$this->line('異常情報: エラー: ' . $e->getMessage());
return self::FAILURE;
}
}
/**
* 【処理1】パラメータの妥当性を検証
*
* 仕様書に基づく検証内容:
* - デバイスID: 必須、数値、device表に存在するか
* - プロセス名: 「プロセス名」「ジョブ名」いずれか必須
* - ジョブ名: 「プロセス名」「ジョブ名」いずれか必須
* - ステータス: 必須
* - 登録日時: 必須、yyyy/mm/dd形式
* - 更新日時: 必須、yyyy/mm/dd形式
*
* @param int $deviceId デバイスID
* @param string $processName プロセス名
* @param string $jobName ジョブ名
* @param string $status ステータス
* @param string $createdDate 登録日時
* @param string $updatedDate 更新日時
* @return array 検証結果 ['valid' => bool, 'message' => string]
*/
private function validateParameters(int $deviceId, string $processName, string $jobName, string $status, string $createdDate, string $updatedDate): array
{
// デバイスID存在チェック
if ($deviceId <= 0) {
return [
'valid' => false,
'message' => 'パラメーターNG: デバイスIDは正の整数である必要があります'
];
}
if (!Device::exists($deviceId)) {
return [
'valid' => false,
'message' => "パラメーターNG: デバイスID {$deviceId} が存在しません"
];
}
// プロセス名とジョブ名のいずれか必須チェック
if (empty($processName) && empty($jobName)) {
return [
'valid' => false,
'message' => 'パラメーターNG: プロセス名またはジョブ名のいずれかは必須です'
];
}
// ステータス必須チェック
if (empty($status)) {
return [
'valid' => false,
'message' => 'パラメーターNG: ステータスは必須です'
];
}
// 日付形式チェック
if (!$this->isValidDateFormat($createdDate)) {
return [
'valid' => false,
'message' => 'パラメーターNG: 登録日時の形式が正しくありませんyyyy/mm/dd'
];
}
if (!$this->isValidDateFormat($updatedDate)) {
return [
'valid' => false,
'message' => 'パラメーターNG: 更新日時の形式が正しくありませんyyyy/mm/dd'
];
}
return [
'valid' => true,
'message' => 'パラメーターチェックOK'
];
}
/**
* 日付形式の検証
*
* @param string $date 日付文字列
* @return bool 有効な日付形式かどうか
*/
private function isValidDateFormat(string $date): bool
{
// yyyy/mm/dd形式の正規表現チェック
if (!preg_match('/^\d{4}\/\d{2}\/\d{2}$/', $date)) {
return false;
}
// 実際の日付として有効かチェック
$dateParts = explode('/', $date);
return checkdate((int)$dateParts[1], (int)$dateParts[2], (int)$dateParts[0]);
}
}

View File

@ -0,0 +1,157 @@
<?php
namespace App\Console\Commands;
use Illuminate\Console\Command;
use Illuminate\Support\Facades\Log;
use App\Services\ShjFourCService;
/**
* SHJ-4C 室割当処理コマンド
*
* 駐輪場の区画別利用率状況に基づく室割当処理を実行する
* バックグラウンドで実行される定期バッチ処理
*/
class ShjFourCCommand extends Command
{
/**
* コンソールコマンドの名前とシグネチャ
*
* 引数:
* - park_id: 駐輪場ID (必須)
* - ptype_id: 駐輪分類ID (必須)
* - psection_id: 車種区分ID (必須)
*
* @var string
*/
protected $signature = 'shj:4c {park_id : 駐輪場ID} {ptype_id : 駐輪分類ID} {psection_id : 車種区分ID}';
/**
* コンソールコマンドの説明
*
* @var string
*/
protected $description = 'SHJ-4C 室割当処理 - ゾーン情報取得及び割当処理を実行';
/**
* SHJ-4Cサービスクラス
*
* @var ShjFourCService
*/
protected $shjFourCService;
/**
* コンストラクタ
*
* @param ShjFourCService $shjFourCService
*/
public function __construct(ShjFourCService $shjFourCService)
{
parent::__construct();
$this->shjFourCService = $shjFourCService;
}
/**
* コンソールコマンドを実行
*
* 処理フロー:
* 1. パラメータ取得と検証
* 2. ゾーン情報取得処理
* 3. 割当判定処理
* 4. バッチログ作成
* 5. 処理結果返却
*
* @return int
*/
public function handle()
{
try {
// 開始ログ出力
$startTime = now();
$this->info('SHJ-4C 室割当処理を開始します。');
Log::info('SHJ-4C 室割当処理開始', [
'start_time' => $startTime,
'park_id' => $this->argument('park_id'),
'ptype_id' => $this->argument('ptype_id'),
'psection_id' => $this->argument('psection_id')
]);
// 引数取得
$parkId = $this->argument('park_id');
$ptypeId = $this->argument('ptype_id');
$psectionId = $this->argument('psection_id');
// パラメータ検証
if (!$this->validateParameters($parkId, $ptypeId, $psectionId)) {
$this->error('パラメータが不正です。');
return self::FAILURE;
}
// SHJ-4C処理実行
$result = $this->shjFourCService->executeRoomAllocation($parkId, $ptypeId, $psectionId);
// 処理結果確認
if ($result['success']) {
$endTime = now();
$this->info('SHJ-4C 室割当処理が正常に完了しました。');
$this->info("処理時間: {$startTime->diffInSeconds($endTime)}");
Log::info('SHJ-4C 室割当処理完了', [
'end_time' => $endTime,
'duration_seconds' => $startTime->diffInSeconds($endTime),
'result' => $result
]);
return self::SUCCESS;
} else {
$this->error('SHJ-4C 室割当処理でエラーが発生しました: ' . $result['message']);
Log::error('SHJ-4C 室割当処理エラー', [
'error' => $result['message'],
'details' => $result['details'] ?? null
]);
return self::FAILURE;
}
} catch (\Exception $e) {
$this->error('SHJ-4C 室割当処理で予期しないエラーが発生しました: ' . $e->getMessage());
Log::error('SHJ-4C 室割当処理例外エラー', [
'exception' => $e->getMessage(),
'trace' => $e->getTraceAsString()
]);
return self::FAILURE;
}
}
/**
* パラメータの妥当性を検証
*
* @param mixed $parkId 駐輪場ID
* @param mixed $ptypeId 駐輪分類ID
* @param mixed $psectionId 車種区分ID
* @return bool 検証結果
*/
private function validateParameters($parkId, $ptypeId, $psectionId): bool
{
// 必須パラメータチェック
if (empty($parkId) || empty($ptypeId) || empty($psectionId)) {
$this->error('全てのパラメータは必須です。');
return false;
}
// 数値形式チェック
if (!is_numeric($parkId) || !is_numeric($ptypeId) || !is_numeric($psectionId)) {
$this->error('全てのパラメータは数値である必要があります。');
return false;
}
// 正の整数チェック
if ($parkId <= 0 || $ptypeId <= 0 || $psectionId <= 0) {
$this->error('全てのパラメータは正の整数である必要があります。');
return false;
}
return true;
}
}

View File

@ -0,0 +1,177 @@
<?php
namespace App\Console\Commands;
use Illuminate\Console\Command;
use Illuminate\Support\Facades\Log;
use App\Services\ShjMailSendService;
/**
* SHJ メール送信処理コマンド
*
* メールテンプレートを使用したメール送信処理を実行する
* バックグラウンドで実行される定期バッチ処理
*/
class ShjMailSendCommand extends Command
{
/**
* コンソールコマンドの名前とシグネチャ
*
* 引数:
* - mail_address: メールアドレス (必須)
* - backup_mail_address: 予備メールアドレス (必須)
* - mail_template_id: メールテンプレートID (必須)
*
* @var string
*/
protected $signature = 'shj:mail-send {mail_address : メールアドレス} {backup_mail_address : 予備メールアドレス} {mail_template_id : メールテンプレートID}';
/**
* コンソールコマンドの説明
*
* @var string
*/
protected $description = 'SHJ メール送信処理 - テンプレートに基づくメール送信を実行';
/**
* SHJメール送信サービスクラス
*
* @var ShjMailSendService
*/
protected $shjMailSendService;
/**
* コンストラクタ
*
* @param ShjMailSendService $shjMailSendService
*/
public function __construct(ShjMailSendService $shjMailSendService)
{
parent::__construct();
$this->shjMailSendService = $shjMailSendService;
}
/**
* コンソールコマンドを実行
*
* 処理フロー:
* 1. 入力パラメーターをチェックする
* 2. メール送信テンプレート情報を取得する
* 3. メールを送信する
* 4. 処理結果を返却する
*
* @return int
*/
public function handle()
{
try {
// 開始ログ出力
$startTime = now();
$this->info('SHJ メール送信処理を開始します。');
Log::info('SHJ メール送信処理開始', [
'start_time' => $startTime,
'mail_address' => $this->argument('mail_address'),
'backup_mail_address' => $this->argument('backup_mail_address'),
'mail_template_id' => $this->argument('mail_template_id')
]);
// 引数取得
$mailAddress = $this->argument('mail_address');
$backupMailAddress = $this->argument('backup_mail_address');
$mailTemplateId = $this->argument('mail_template_id');
// 【処理1】パラメータ検証
if (!$this->validateParameters($mailAddress, $backupMailAddress, $mailTemplateId)) {
$this->error('パラメータが不正です。');
return self::FAILURE;
}
// SHJメール送信処理実行
$result = $this->shjMailSendService->executeMailSend($mailAddress, $backupMailAddress, $mailTemplateId);
// 処理結果確認
if ($result['success']) {
$endTime = now();
$this->info('SHJ メール送信処理が正常に完了しました。');
$this->info("処理時間: {$startTime->diffInSeconds($endTime)}");
Log::info('SHJ メール送信処理完了', [
'end_time' => $endTime,
'duration_seconds' => $startTime->diffInSeconds($endTime),
'result' => $result
]);
return self::SUCCESS;
} else {
$this->error('SHJ メール送信処理でエラーが発生しました: ' . $result['message']);
Log::error('SHJ メール送信処理エラー', [
'error' => $result['message'],
'details' => $result['details'] ?? null
]);
return self::FAILURE;
}
} catch (\Exception $e) {
$this->error('SHJ メール送信処理で予期しないエラーが発生しました: ' . $e->getMessage());
Log::error('SHJ メール送信処理例外エラー', [
'exception' => $e->getMessage(),
'trace' => $e->getTraceAsString()
]);
return self::FAILURE;
}
}
/**
* 【処理1】パラメータの妥当性を検証
*
* 仕様書に基づく検証内容:
* - メールアドレス: 「メールアドレス」「予備メールアドレス」いずれか必須
* - メールテンプレートID: 必須
*
* @param mixed $mailAddress メールアドレス
* @param mixed $backupMailAddress 予備メールアドレス
* @param mixed $mailTemplateId メールテンプレートID
* @return bool 検証結果
*/
private function validateParameters($mailAddress, $backupMailAddress, $mailTemplateId): bool
{
// メールテンプレートIDチェック
if (empty($mailTemplateId)) {
$this->error('メールテンプレートIDは必須です。');
return false;
}
// 数値形式チェックメールテンプレートID
if (!is_numeric($mailTemplateId)) {
$this->error('メールテンプレートIDは数値である必要があります。');
return false;
}
// 正の整数チェックメールテンプレートID
if ($mailTemplateId <= 0) {
$this->error('メールテンプレートIDは正の整数である必要があります。');
return false;
}
// メールアドレスチェック(いずれか必須)
if (empty($mailAddress) && empty($backupMailAddress)) {
$this->error('メールアドレスまたは予備メールアドレスのいずれかは必須です。');
return false;
}
// メールアドレス形式チェック
if (!empty($mailAddress) && !filter_var($mailAddress, FILTER_VALIDATE_EMAIL)) {
$this->error('メールアドレスの形式が正しくありません。');
return false;
}
if (!empty($backupMailAddress) && !filter_var($backupMailAddress, FILTER_VALIDATE_EMAIL)) {
$this->error('予備メールアドレスの形式が正しくありません。');
return false;
}
return true;
}
}

View File

@ -24,5 +24,3 @@ enum QueueClass: string
}

View File

@ -15,5 +15,3 @@ enum QueueStatus: string
}

View File

@ -1,34 +0,0 @@
<?php
if (! function_exists('keepUserListQuery')) {
/**
* 利用者一覧:検索条件保持用
*
* @param array $override 追加・上書きしたいパラメータ
* @return array
*/
function keepUserListQuery(array $override = []): array
{
return array_merge(
request()->only([
'user_id',
'user_categoryid',
'user_tag_serial',
'quit_flag',
'user_category1',
'user_category2',
'user_category3',
'user_phonetic',
'phone',
'email',
'tag_qr_flag',
'quit_from',
'quit_to',
'sort',
'dir',
'page',
]),
$override
);
}
}

View File

@ -1,177 +0,0 @@
<?php
declare(strict_types=1);
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use App\Http\Requests\CityRequest;
use App\Models\City;
use App\Services\CityService;
use Illuminate\Http\RedirectResponse;
use Illuminate\Http\Request;
use Illuminate\View\View;
final class CityController extends Controller
{
public function index(Request $request, CityService $service): View|RedirectResponse
{
$sort = (string) $request->input('sort', 'city_id');
$sortType = (string) $request->input('sort_type', 'asc');
$page = (int) $request->get('page', 1);
$query = City::query();
if ($request->filled('city_name')) {
$query->where('city_name', 'like', '%' . $request->input('city_name') . '%');
}
// 排序处理
if (!empty($sort)) {
$query->orderBy($sort, $sortType);
}
$list = $query->paginate(20);
// 页码越界处理
if ($list->total() > 0 && $page > $list->lastPage()) {
return redirect()->route('cities.index', [
'sort' => $sort,
'sort_type' => $sortType,
]);
}
return view('admin.cities.index', [
'sort' => $sort,
'sort_type' => $sortType,
'list' => $list,
'page' => $page,
]);
}
public function create(): View
{
$inputs = [
'city_name' => '',
'print_layout' => '',
'city_user' => '',
'city_remarks' => '',
];
if ($request->isMethod('POST')) {
$rules = [
'city_name' => ['required', 'string', 'max:10', 'regex:/^[^ -~。-゚]+$/u'],
'print_layout' => ['required', 'string', 'max:10', 'regex:/^[^ -~。-゚]+$/u'],
'city_user' => ['required', 'string', 'max:10', 'regex:/^[^ -~。-゚]+$/u'],
'city_remarks' => ['nullable', 'string', 'max:20'],
];
$messages = [
'city_name.required' => '市区名は必須です。',
'city_name.regex' => '市区名は全角で入力してください。',
'print_layout.required' => '印字レイアウトファイルは必須です。',
'print_layout.regex' => '印字レイアウトファイルは全角で入力してください。',
'city_user.required' => '顧客M入力不要フィールドIDは必須です。',
'city_user.regex' => '顧客M入力不要フィールドIDは全角で入力してください。',
'city_remarks.max' => '備考は20文字以内で入力してください。',
];
$validator = Validator::make($request->all(), $rules, $messages);
$inputs = array_merge($inputs, $request->all());
if (!$validator->fails()) {
$maxId = DB::table('city')->max('city_id');
$newCityId = $maxId ? $maxId + 1 : 1;
$city = new City();
$city->city_id = $newCityId;
$city->fill($request->only([
'city_name',
'print_layout',
'city_user',
'city_remarks',
]));
if ($city->save()) {
$request->session()->flash('success', __('登録に成功しました'));
return redirect()->route('city');
} else {
$request->session()->flash('error', __('登録に失敗しました'));
}
} else {
$inputs['errorMsg'] = $validator->errors()->all();
}
}
return view('admin.CityMaster.add', $inputs);
}
public function edit(Request $request, $pk, $view = '')
{
$city = City::find($pk);
if (!$city) {
abort(404);
}
if ($request->isMethod('POST')) {
$rules = [
'city_name' => ['required', 'string', 'max:10', 'regex:/^[^ -~。-゚]+$/u'],
'print_layout' => ['required', 'string', 'max:10', 'regex:/^[^ -~。-゚]+$/u'],
'city_user' => ['required', 'string', 'max:10', 'regex:/^[^ -~。-゚]+$/u'],
'city_remarks' => ['nullable', 'string', 'max:20'],
];
$messages = [
'city_name.required' => '市区名は必須です。',
'city_name.regex' => '市区名は全角で入力してください。',
'print_layout.required' => '印字レイアウトファイルは必須です。',
'print_layout.regex' => '印字レイアウトファイルは全角で入力してください。',
'city_user.required' => '顧客M入力不要フィールドIDは必須です。',
'city_user.regex' => '顧客M入力不要フィールドIDは全角で入力してください。',
'city_remarks.max' => '備考は20文字以内で入力してください。',
];
$validator = Validator::make($request->all(), $rules, $messages);
if (!$validator->fails()) {
$city->fill($request->only([
'city_name',
'print_layout',
'city_user',
'city_remarks',
]));
if ($city->save()) {
$request->session()->flash('success', __('更新に成功しました'));
return redirect()->route('city');
} else {
$request->session()->flash('error', __('更新に失敗しました'));
}
} else {
return view('admin.CityMaster.edit', [
'city' => $city,
'errorMsg' => $validator->errors()->all(),
]);
}
}
return view($view ?: 'admin.CityMaster.edit', [
'city' => $city,
]);
}
public function info(Request $request, $pk)
{
return $this->edit($request, $pk, 'CityMaster.info');
}
public function delete(Request $request)
{
$arr_pk = $request->get('pk');
if (!$arr_pk) {
return redirect()->route('city')->with('error', __('削除する市区を選択してください。'));
}
if (City::destroy($arr_pk)) {
return redirect()->route('city')->with('success', __("削除が完了しました。"));
} else {
return redirect()->route('city')->with('error', __('削除に失敗しました。'));
}
}
}

View File

@ -1,204 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\ContractAllowableCity;
use App\Models\City;
use App\Models\Park;
use Illuminate\Support\Facades\Auth;
use Illuminate\Support\Facades\DB;
use Symfony\Component\HttpFoundation\StreamedResponse;
class ContractAllowableCityController extends Controller
{
/**
* 一覧表示
*/
public function list(Request $request)
{
$inputs = $request->all();
$inputs['isMethodPost'] = $request->isMethod('post');
// 解除処理
if ($request->isMethod('post') && $request->input('action') === 'unlink') {
// バリデーション解除条件が1つも入力されていない場合はエラー
if (
!$request->filled('contract_allowable_city_id')
&& !$request->filled('city_id')
&& !$request->filled('contract_allowable_city_name')
&& !$request->filled('park_id')
) {
return back()->withErrors(['解除条件を1つ以上入力してください。']);
}
$query = ContractAllowableCity::query();
if ($request->filled('contract_allowable_city_id')) {
$query->where('contract_allowable_city_id', $request->contract_allowable_city_id);
}
if ($request->filled('city_id')) {
$query->where('city_id', $request->city_id);
}
if ($request->filled('contract_allowable_city_name')) {
$query->where('contract_allowable_city_name', 'like', '%' . $request->contract_allowable_city_name . '%');
}
if ($request->filled('park_id')) {
$query->where('park_id', $request->park_id);
}
$count = $query->delete();
return redirect()->route('contract_allowable_cities')->with('success', '解除しました');
}
// 通常の絞り込み処理
$list = ContractAllowableCity::search($inputs);
return view('admin.contract_allowable_cities.list', [
'list' => $list,
'inputs' => $inputs,
'sort' => $inputs['sort'] ?? '',
'sort_type' => $inputs['sort_type'] ?? '',
'cityList' => City::getList(),
'parkList' => Park::getList(),
]);
}
/**
* 新規登録
*/
public function add(Request $request)
{
if ($request->isMethod('post')) {
$validated = $request->validate([
'city_id' => 'required|integer',
'contract_allowable_city_name' => 'required|string|max:20',
'park_id' => 'required|integer',
'same_district_flag' => 'required|integer',
]);
$validated['operator_id'] = Auth::user()->ope_id;
ContractAllowableCity::create($validated);
return redirect()->route('contract_allowable_cities')
->with('success', '登録しました。');
}
return view('admin.contract_allowable_cities.add', [
'record' => null,
'cityList' => City::getList(),
'parkList' => Park::getList(),
]);
}
/**
* 編集
*/
public function edit(Request $request, $id)
{
$record = ContractAllowableCity::getByPk($id);
if (!$record) {
return redirect()->route('contract_allowable_cities')
->with('error', 'データが存在しません');
}
if ($request->isMethod('post')) {
$validated = $request->validate([
'city_id' => 'required|integer',
'contract_allowable_city_name' => 'required|string|max:20',
'park_id' => 'required|integer',
'same_district_flag' => 'required|integer',
]);
$record->fill($validated);
$record->operator_id = Auth::user()->ope_id;
$record->save();
return redirect()->route('contract_allowable_cities')
->with('success', '更新しました。');
}
return view('admin.contract_allowable_cities.edit', [
'record' => $record,
'cityList' => City::getList(),
'parkList' => Park::getList(),
]);
}
/**
* 一括削除(単一・複数対応)
*/
public function delete(Request $request)
{
// バリデーション:'id'は必須、配列の場合は各要素が整数
$request->validate([
'id' => 'required',
'id.*' => 'integer',
]);
// idを配列化単一でも複数でも対応
$ids = (array)$request->input('id');
// 削除処理
// ContractAllowableCity::destroy($ids) が使える場合
$deleted = ContractAllowableCity::destroy($ids);
// 削除件数でメッセージ分岐
if ($deleted > 0) {
return redirect()->route('contract_allowable_cities')->with('success', '削除しました。');
} else {
return redirect()->route('contract_allowable_cities')->with('error', '削除に失敗しました。');
}
}
/**
* 契約許容市区マスタ CSVエクスポート
*/
public function export(Request $request)
{
$filename = '契約許容市区マスタ_' . now()->format('YmdHis') . '.csv';
// 検索条件でデータ取得
$list = ContractAllowableCity::search($request->all());
// CSVファイル作成
$file = fopen($filename, 'w+');
fwrite($file, "\xEF\xBB\xBF"); // UTF-8 BOM追加
// ヘッダー行
$columns = [
'契約許容市区ID',
'市区ID',
'許容市区名',
'駐輪場ID',
'隣接区フラグ'
];
fputcsv($file, $columns);
// データ行
foreach ($list as $item) {
fputcsv($file, [
$item->contract_allowable_city_id,
$item->city_id,
$item->contract_allowable_city_name,
$item->park_id,
$item->same_district_flag == 0 ? '隣接市' : 'その他',
]);
}
fclose($file);
// ヘッダー設定
$headers = [
"Content-Type" => "text/csv; charset=UTF-8",
"Content-Disposition" => "attachment; filename={$filename}",
];
// ダウンロード後に一時ファイル削除
return response()->download($filename, $filename, $headers)->deleteFileAfterSend(true);
}
}

View File

@ -1,259 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
class ContractorController extends Controller
{
/**
* 一覧表示GET/POST
*/
public function list(Request $request)
{
// ベースクエリを構築
$q = DB::table('regular_contract as rc')
->leftJoin('user as u','rc.user_id','=','u.user_id')
->select([
'rc.contract_id',
'rc.contract_qr_id',
'rc.user_id',
'rc.user_categoryid',
'rc.park_id',
'rc.contract_created_at',
'rc.contract_periods',
'rc.contract_periode',
'rc.tag_qr_flag',
'rc.contract_flag',
'rc.contract_cancel_flag',
'rc.contract_payment_day',
'rc.contract_money',
'rc.billing_amount',
'rc.contract_permission',
'rc.contract_manual',
'rc.contract_notice',
'rc.update_flag',
'p.park_name',
'u.user_name',
'u.user_phonetic',
'u.user_mobile',
'u.user_seq',
'u.user_homephone',
'u.user_primemail',
'u.user_gender',
'u.user_birthdate',
'u.user_regident_zip',
'u.user_regident_pre',
'u.user_regident_city',
'u.user_regident_add',
'u.user_relate_zip',
'u.user_relate_pre',
'u.user_relate_city',
'u.user_relate_add',
'u.user_graduate',
'u.user_workplace',
'u.user_school',
'u.user_remarks',
'u.user_tag_serial_64',
'u.user_reduction',
DB::raw('rc.user_securitynum as crime_prevention'),
DB::raw('rc.contract_seal_issue as seal_issue_count'),
DB::raw("CASE rc.enable_months
WHEN 1 THEN '月極(1ヶ月)'
WHEN 3 THEN '3ヶ月'
WHEN 6 THEN '6ヶ月'
WHEN 12 THEN '年'
ELSE CONCAT(rc.enable_months, 'ヶ月') END as ticket_type"),
DB::raw('ps.psection_subject as vehicle_type'),
// 利用者分類のラベルusertype テーブルの subject を取得)
DB::raw('ut.usertype_subject1 as user_category1'),
DB::raw('ut.usertype_subject2 as user_category2'),
DB::raw('ut.usertype_subject3 as user_category3'),
])
->leftJoin('park as p', 'rc.park_id', '=', 'p.park_id')
->leftJoin('psection as ps', 'rc.psection_id', '=', 'ps.psection_id')
->leftJoin('usertype as ut', 'u.user_categoryid', '=', 'ut.user_categoryid');
// ===== 絞り込み条件 =====
// 駐輪場で絞る(完全一致)
if ($request->filled('park_id')) {
$q->where('rc.park_id', $request->park_id);
}
// 利用者IDで絞る完全一致
if ($request->filled('user_id')) {
$q->where('rc.user_id', $request->user_id);
}
// 利用者分類で絞る(※ select の value を user_categoryid にしているため、user テーブルのカラムで比較)
if ($request->filled('user_category1')) {
$q->where('u.user_categoryid', $request->user_category1);
}
// タグシリアル64進で部分一致検索
if ($request->filled('user_tag_serial_64')) {
$val = $request->user_tag_serial_64;
$q->where('u.user_tag_serial_64','like','%'.$val.'%');
}
// 有効期限で絞る(指定日以前を抽出する= <= を使用)
if ($request->filled('contract_periode')) {
$raw = trim($request->contract_periode);
$norm = str_replace('/', '-', $raw); // スラッシュ入力を許容
try {
$target = \Carbon\Carbon::parse($norm)->format('Y-m-d');
// 指定日「以前」を含める
$q->whereDate('rc.contract_periode', '<=', $target);
} catch (\Exception $e) {
// 無効な日付は無視する
}
}
// フリガナで部分一致
if ($request->filled('user_phonetic')) {
$q->where('u.user_phonetic', 'like', '%' . $request->user_phonetic . '%');
}
// 携帯電話で部分一致
if ($request->filled('user_mobile')) {
$q->where('u.user_mobile', 'like', '%' . $request->user_mobile . '%');
}
// メールアドレスで部分一致
if ($request->filled('user_primemail')) {
$q->where('u.user_primemail', 'like', '%' . $request->user_primemail . '%');
}
// 勤務先で部分一致
if ($request->filled('user_workplace')) {
$q->where('u.user_workplace', 'like', '%' . $request->user_workplace . '%');
}
// 学校で部分一致
if ($request->filled('user_school')) {
$q->where('u.user_school', 'like', '%' . $request->user_school . '%');
}
// タグ・QR フラグで絞る(空文字は無視)
if ($request->filled('tag_qr_flag') && $request->tag_qr_flag !== '') {
$q->where('rc.tag_qr_flag', $request->tag_qr_flag);
}
// ===== ソート処理 =====
// 指定があればその列でソート、なければデフォルトで契約IDの昇順
$sort = $request->input('sort'); // null 許容
$sortType = $request->input('sort_type','asc');
$allowSorts = [
'rc.contract_id',
'rc.user_id',
'u.user_name',
'rc.tag_qr_flag',
'p.park_name',
];
if ($sort && in_array($sort, $allowSorts)) {
$sortType = $sortType === 'desc' ? 'desc' : 'asc';
$q->orderBy($sort, $sortType);
} else {
// デフォルトソート
$sort = null;
$sortType = null;
$q->orderBy('rc.contract_id','asc');
}
// ページネーション(クエリ文字列を引き継ぐ)
$rows = $q->paginate(20)->appends($request->query());
// 駐輪場セレクト用データ取得
$parks = DB::table('park')->select('park_id', 'park_name')->orderBy('park_name')->get();
// 利用者分類セレクト用:実際に使用されている分類のみを取得する
$categories = $this->buildCategoryOptions(true);
// ビューに渡す
return view('admin.contractor.list', compact('rows', 'sort', 'sortType', 'parks', 'categories'));
}
/**
* 詳細表示
*/
public function info($id)
{
// 指定契約IDの詳細を取得
$contract = DB::table('regular_contract as rc')
->select([
'rc.*',
'p.park_name',
'u.user_name',
'u.user_phonetic',
'u.user_mobile',
'u.user_homephone',
'u.user_primemail',
'u.user_gender',
'u.user_birthdate',
'u.user_regident_city',
])
->leftJoin('park as p', 'rc.park_id', '=', 'p.park_id')
->leftJoin('user as u', 'rc.user_id', '=', 'u.user_id')
->where('rc.contract_id', $id)
->first();
if (!$contract) { abort(404); }
return view('admin.contractor.info', compact('contract'));
}
/**
* 利用者分類選択肢を取得
*
* @param bool $onlyUsed true の場合は regular_contract に出現する分類のみ返す
* @return array [user_categoryid => label, ...]
*/
private function buildCategoryOptions(bool $onlyUsed = false): array
{
if (! $onlyUsed) {
// 全件取得(既存の挙動)
return DB::table('usertype')
->orderBy('user_categoryid', 'asc')
->get()
->mapWithKeys(function ($row) {
$label = collect([
$row->usertype_subject1 ?? '',
$row->usertype_subject2 ?? '',
$row->usertype_subject3 ?? '',
])->filter(fn ($v) => $v !== '')->implode('/');
return [$row->user_categoryid => $label !== '' ? $label : (string) $row->user_categoryid];
})
->toArray();
}
// 実際に使用されている分類のみ取得する(内部結合で user と regular_contract と紐付くもの)
$rows = DB::table('usertype as ut')
->join('user as u', 'u.user_categoryid', '=', 'ut.user_categoryid')
->join('regular_contract as rc', 'rc.user_id', '=', 'u.user_id')
->select(
'ut.user_categoryid',
'ut.usertype_subject1',
'ut.usertype_subject2',
'ut.usertype_subject3'
)
->groupBy('ut.user_categoryid', 'ut.usertype_subject1', 'ut.usertype_subject2', 'ut.usertype_subject3')
->orderBy('ut.user_categoryid', 'asc')
->get();
// ラベルを組み立てて配列で返す
return $rows->mapWithKeys(function ($row) {
$label = collect([
$row->usertype_subject1 ?? '',
$row->usertype_subject2 ?? '',
$row->usertype_subject3 ?? '',
])->filter(fn ($v) => $v !== '')->implode('/');
return [$row->user_categoryid => $label !== '' ? $label : (string) $row->user_categoryid];
})->toArray();
}
}

View File

@ -1,263 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
class ContractorListController extends Controller
{
/**
* 一覧表示GET/POST
*/
public function list(Request $request)
{
// ベースクエリを構築
$q = DB::table('regular_contract as rc')
->leftJoin('user as u','rc.user_id','=','u.user_id')
->select([
'rc.contract_id',
'rc.contract_qr_id',
'rc.user_id',
'rc.user_categoryid',
'rc.park_id',
'rc.contract_created_at',
'rc.contract_periods',
'rc.contract_periode',
'rc.tag_qr_flag',
'rc.contract_flag',
'rc.contract_cancel_flag',
'rc.contract_payment_day',
'rc.contract_money',
'rc.billing_amount',
'rc.contract_permission',
'rc.contract_manual',
'rc.contract_notice',
'rc.update_flag',
'rc.user_securitynum',
'rc.contract_seal_issue',
'p.park_name',
'u.user_name',
'u.user_phonetic',
'u.user_mobile',
'u.user_seq',
'u.user_homephone',
'u.user_primemail',
'u.user_gender',
'u.user_birthdate',
'u.user_regident_zip',
'u.user_regident_pre',
'u.user_regident_city',
'u.user_regident_add',
'u.user_relate_zip',
'u.user_relate_pre',
'u.user_relate_city',
'u.user_relate_add',
'u.user_graduate',
'u.user_workplace',
'u.user_school',
'u.user_remarks',
'u.user_tag_serial_64',
'u.user_reduction',
DB::raw('rc.user_securitynum as crime_prevention'),
DB::raw('rc.contract_seal_issue as seal_issue_count'),
DB::raw("CASE rc.enable_months
WHEN 1 THEN '月極(1ヶ月)'
WHEN 3 THEN '3ヶ月'
WHEN 6 THEN '6ヶ月'
WHEN 12 THEN '年'
ELSE CONCAT(rc.enable_months, 'ヶ月') END as ticket_type"),
DB::raw('ps.psection_subject as vehicle_type'),
// 利用者分類のラベルusertype テーブルの subject を取得)
DB::raw('ut.usertype_subject1 as user_category1'),
DB::raw('ut.usertype_subject2 as user_category2'),
DB::raw('ut.usertype_subject3 as user_category3'),
])
->leftJoin('park as p', 'rc.park_id', '=', 'p.park_id')
->leftJoin('psection as ps', 'rc.psection_id', '=', 'ps.psection_id')
->leftJoin('usertype as ut', 'u.user_categoryid', '=', 'ut.user_categoryid');
// ===== 絞り込み条件 =====
// 駐輪場で絞る(完全一致)
if ($request->filled('park_id')) {
$q->where('rc.park_id', $request->park_id);
}
// 利用者IDで絞る完全一致
if ($request->filled('user_id')) {
$q->where('rc.user_id', $request->user_id);
}
// 利用者分類で絞る(※ select の value を user_categoryid にしているため、user テーブルのカラムで比較)
if ($request->filled('user_category1')) {
$q->where('u.user_categoryid', $request->user_category1);
}
// タグシリアル64進で部分一致検索
if ($request->filled('user_tag_serial_64')) {
$val = $request->user_tag_serial_64;
$q->where('u.user_tag_serial_64','like','%'.$val.'%');
}
// 対象月
$target = $request->input('target_month');
if (in_array($target,['last','this','next','after2'],true)) {
$base = now()->startOfMonth();
$offset = ['last'=>-1,'this'=>0,'next'=>1,'after2'=>2][$target];
$m = $base->copy()->addMonths($offset);
if ($target === 'after2') {
// 2か月後「以降」を抽出該当月の月初以降
$q->whereDate('rc.contract_periode', '>=', $m->toDateString());
} else {
$q->whereYear('rc.contract_periode',$m->year)
->whereMonth('rc.contract_periode',$m->month);
}
}
// フリガナで部分一致
if ($request->filled('user_phonetic')) {
$q->where('u.user_phonetic', 'like', '%' . $request->user_phonetic . '%');
}
// 携帯電話で部分一致
if ($request->filled('user_mobile')) {
$q->where('u.user_mobile', 'like', '%' . $request->user_mobile . '%');
}
// メールアドレスで部分一致
if ($request->filled('user_primemail')) {
$q->where('u.user_primemail', 'like', '%' . $request->user_primemail . '%');
}
// 勤務先で部分一致
if ($request->filled('user_workplace')) {
$q->where('u.user_workplace', 'like', '%' . $request->user_workplace . '%');
}
// 学校で部分一致
if ($request->filled('user_school')) {
$q->where('u.user_school', 'like', '%' . $request->user_school . '%');
}
// タグ・QR フラグで絞る(空文字は無視)
if ($request->filled('tag_qr_flag') && $request->tag_qr_flag !== '') {
$q->where('rc.tag_qr_flag', $request->tag_qr_flag);
}
// ===== ソート処理 =====
// 指定があればその列でソート、なければデフォルトで契約IDの昇順
$sort = $request->input('sort'); // null 許容
$sortType = $request->input('sort_type','asc');
$allowSorts = [
'rc.contract_id',
'rc.user_id',
'u.user_name',
'rc.tag_qr_flag',
'p.park_name',
];
if ($sort && in_array($sort, $allowSorts)) {
$sortType = $sortType === 'desc' ? 'desc' : 'asc';
$q->orderBy($sort, $sortType);
} else {
// デフォルトソート
$sort = null;
$sortType = null;
$q->orderBy('rc.contract_id','asc');
}
// ページネーション(クエリ文字列を引き継ぐ)
$rows = $q->paginate(20)->appends($request->query());
// 駐輪場セレクト用データ取得
$parks = DB::table('park')->select('park_id', 'park_name')->orderBy('park_name')->get();
// 利用者分類セレクト用:実際に使用されている分類のみを取得する
$categories = $this->buildCategoryOptions(true);
// ビューに渡す
return view('admin.contractor_list.list', compact('rows', 'sort', 'sortType', 'parks', 'categories'));
}
/**
* 詳細表示
*/
public function info($id)
{
// 指定契約IDの詳細を取得
$contract = DB::table('regular_contract as rc')
->select([
'rc.*',
'p.park_name',
'u.user_name',
'u.user_phonetic',
'u.user_mobile',
'u.user_homephone',
'u.user_primemail',
'u.user_gender',
'u.user_birthdate',
'u.user_regident_city',
])
->leftJoin('park as p', 'rc.park_id', '=', 'p.park_id')
->leftJoin('user as u', 'rc.user_id', '=', 'u.user_id')
->where('rc.contract_id', $id)
->first();
if (!$contract) { abort(404); }
return view('admin.contractor_List.info', compact('contract'));
}
/**
* 利用者分類選択肢を取得
*
* @param bool $onlyUsed true の場合は regular_contract に出現する分類のみ返す
* @return array [user_categoryid => label, ...]
*/
private function buildCategoryOptions(bool $onlyUsed = false): array
{
if (! $onlyUsed) {
// 全件取得(既存の挙動)
return DB::table('usertype')
->orderBy('user_categoryid', 'asc')
->get()
->mapWithKeys(function ($row) {
$label = collect([
$row->usertype_subject1 ?? '',
$row->usertype_subject2 ?? '',
$row->usertype_subject3 ?? '',
])->filter(fn ($v) => $v !== '')->implode('/');
return [$row->user_categoryid => $label !== '' ? $label : (string) $row->user_categoryid];
})
->toArray();
}
// 実際に使用されている分類のみ取得する(内部結合で user と regular_contract と紐付くもの)
$rows = DB::table('usertype as ut')
->join('user as u', 'u.user_categoryid', '=', 'ut.user_categoryid')
->join('regular_contract as rc', 'rc.user_id', '=', 'u.user_id')
->select(
'ut.user_categoryid',
'ut.usertype_subject1',
'ut.usertype_subject2',
'ut.usertype_subject3'
)
->groupBy('ut.user_categoryid', 'ut.usertype_subject1', 'ut.usertype_subject2', 'ut.usertype_subject3')
->orderBy('ut.user_categoryid', 'asc')
->get();
// ラベルを組み立てて配列で返す
return $rows->mapWithKeys(function ($row) {
$label = collect([
$row->usertype_subject1 ?? '',
$row->usertype_subject2 ?? '',
$row->usertype_subject3 ?? '',
])->filter(fn ($v) => $v !== '')->implode('/');
return [$row->user_categoryid => $label !== '' ? $label : (string) $row->user_categoryid];
})->toArray();
}
}

View File

@ -1,224 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\Device;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Validator;
use Symfony\Component\HttpFoundation\StreamedResponse;
use App\Models\Park;
class DeviceController extends Controller
{
/**
* 一覧: /device
*/
public function list(Request $request)
{
$perPage = \App\Utils::item_per_page ?? 20;
// リクエストからソート対象と方向を取得(デフォルト: device_id asc
$sort = $request->input('sort', 'device_id');
$sort_type = $request->input('sort_type', 'asc');
// 許可カラムSQLインジェクション対策
$sortable = [
'device_id',
'park_id',
'device_type',
'device_subject',
'device_identifier',
'device_work',
'device_workstart',
'device_replace',
'device_remarks',
'operator_id',
'ope_auth1',
];
if (!in_array($sort, $sortable)) {
$sort = 'device_id';
}
if (!in_array(strtolower($sort_type), ['asc','desc'])) {
$sort_type = 'desc';
}
$list = Device::with('park')
->orderBy($sort, $sort_type)
->paginate($perPage)
->appends([
'sort' => $sort,
'sort_type' => $sort_type,
]);
return view('admin.devices.list', [
'list' => $list,
'sort' => $sort,
'sort_type' => $sort_type,
]);
}
/**
* 新規登録GET 画面 / POST 保存)
*/
public function add(Request $request)
{
if ($request->isMethod('get')) {
return view('admin.devices.add', [
'isEdit' => false,
'device' => new Device(),
'parks' => Park::all(),
// 初期値Bladeで old() 使うなら省略可)
'device_id' => null,
'park_id' => '',
'device_type' => '',
'device_subject' => '',
'device_identifier'=> '',
'device_work' => '',
'device_workstart' => '',
'device_replace' => '',
'device_remarks' => '',
'operator_id' => '',
]);
}
// 入力値を一旦取得
$data = $request->all();
// --- バリデーション ---
$rules = [
'park_id' => ['required','integer'],
'device_type' => ['required','in:1,2,3'], // 1=サーバー, 2=プリンタ, 3=その他
'device_subject' => ['required','string','max:255'],
'device_identifier' => ['required','string','max:255'],
'device_work' => ['required','in:0,1'], // 1=稼働, 0=停止
'device_workstart' => ['required','date'],
'device_replace' => ['nullable','date'],
'device_remarks' => ['nullable','string','max:255'],
'operator_id' => ['nullable','integer'],
];
$request->validate($rules);
// 保存処理
$device = new Device();
$device->fill($data);
$device->save();
return redirect()->route('devices')->with('success', '登録しました。');
}
/**
* 編集GET 画面 / POST 更新)
*/
public function edit($id, Request $request)
{
$device = Device::find($id);
if (!$device) abort(404);
if ($request->isMethod('get')) {
return view('admin.devices.edit', [
'isEdit' => true,
'device' => $device,
'parks' => Park::all(),
]);
}
// 入力値を一旦取得
$data = $request->all();
// --- バリデーション ---
$rules = [
'park_id' => ['required','integer'],
'device_type' => ['required','in:1,2,3'], // 1=サーバー, 2=プリンタ, 3=その他
'device_subject' => ['required','string','max:255'],
'device_identifier' => ['required','string','max:255'],
'device_work' => ['required','in:0,1'], // 1=稼働, 0=停止
'device_workstart' => ['required','date'],
'device_replace' => ['nullable','date'],
'device_remarks' => ['nullable','string','max:255'],
'operator_id' => ['nullable','integer'],
];
$request->validate($rules);
// 保存処理
$device->fill($data);
$device->save();
return redirect()->route('devices')->with('success', '更新しました。');
}
/**
* 詳細: /device/info/{id}
*/
// public function info(int $id)
// {
// $device = Device::with('park')->findOrFail($id);
// return view('admin.devices.info', [
// 'device' => $device,
// 'isInfo' => true,
// 'isEdit' => false,
// ]);
// }
/**
* 削除(単体 or 複数)
*/
public function delete(Request $request)
{
$ids = [];
// 単体削除
if ($request->filled('id')) {
$ids[] = (int) $request->input('id');
}
// 複数削除
if ($request->filled('ids')) {
$ids = array_merge($ids, array_map('intval', (array)$request->input('ids')));
}
$ids = array_unique($ids);
if (!$ids) {
return back()->with('error', '削除対象が選択されていません。');
}
Device::deleteByPk($ids);
return redirect()->route('devices')->with('success', '削除しました。');
}
/** バリデーションルール */
private function rules(?int $id = null): array
{
return [
'park_id' => ['required','integer'], // 駐輪場ID 必須
'device_type' => ['required','in:1,2,3'], // 1=サーバー, 2=プリンタ, 3=その他
'device_subject' => ['required','string','max:255'], // デバイス名 必須
'device_identifier' => ['required','string','max:255'], // 識別子 必須
'device_work' => ['required','in:0,1'], // 1=稼働, 0=停止
'device_workstart' => ['required','date'], // 稼働開始日 必須
'device_replace' => ['nullable','date'], // リプレース予約日 任意
'device_remarks' => ['nullable','string','max:255'], // 備考 任意
'operator_id' => ['nullable','integer'], // 任意
];
}
}

View File

@ -1,261 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
class InformationController extends Controller
{
public function list(Request $request)
{
// パラメータ
$period = $request->input('period', 'month'); // month | all
$type = $request->input('type', 'all'); // task(<99) | hard(>99) | all
$status = $request->input('status', 'untreated'); // untreated(=1) | inprogress(=2) | done(=3) | all
$q = DB::table('operator_que as oq')
->leftJoin('user as u', 'oq.user_id', '=', 'u.user_id')
->leftJoin('park as p', 'oq.park_id', '=', 'p.park_id')
// オペレータマスタ(テーブル・カラム名は環境に合わせて調整)
->leftJoin('ope as o', 'oq.operator_id', '=', 'o.ope_id')
->select(
'oq.que_id','oq.que_class','oq.user_id',
DB::raw('u.user_name as user_name'),
'oq.contract_id','oq.park_id',
DB::raw('p.park_name as park_name'),
'oq.que_comment','oq.que_status','oq.que_status_comment',
'oq.work_instructions','oq.created_at','oq.updated_at','oq.operator_id',
DB::raw('o.ope_name as operator_name')
);
// 期間: 登録日ベース最新1ヵ月 or 全期間)
if ($period === 'month') {
$q->where('oq.created_at', '>=', now()->subMonth());
}
// 種別: que_class
if ($type === 'task') {
$q->where('oq.que_class', '<', 99);
} elseif ($type === 'hard') {
$q->where('oq.que_class', '>', 99);
} // all は絞り込みなし
// ステータス: que_status
if ($status === 'untreated') {
$q->where('oq.que_status', 1);
} elseif ($status === 'inprogress') {
$q->where('oq.que_status', 2);
} elseif ($status === 'done') {
$q->where('oq.que_status', 3);
} // all は絞り込みなし
$jobs = $q->orderBy('oq.que_id')->paginate(20)->appends($request->query());
return view('admin.information.list', compact('jobs','period','type','status'));
}
// ダッシュボード表示
public function dashboard(Request $request)
{
// ダッシュボード統計情報を集計
// park_number テーブルから総容量を計算
// park_standard標準 + park_number割当+ park_limit制限値の合算
$totalCapacity = DB::table('park_number')
->selectRaw('
COALESCE(SUM(park_standard), 0) as std_sum,
COALESCE(SUM(park_number), 0) as num_sum,
COALESCE(SUM(park_limit), 0) as limit_sum
')
->first();
$totalCapacityValue = ($totalCapacity->std_sum ?? 0) +
($totalCapacity->num_sum ?? 0) +
($totalCapacity->limit_sum ?? 0);
// 予約待ち人数reserve テーブルから集計)
// 条件:有効(valid_flag=1) かつ契約化されていない(contract_id IS NULL)
// キャンセル除外reserve_cancel_flag が NULL または 0、かつ reserve_cancelday が NULL
$reserveQuery = DB::table('reserve')
->where('valid_flag', 1)
->whereNull('contract_id');
// キャンセルフラグの有無をチェック(列が存在するかどうか)
try {
$testResult = DB::table('reserve')
->select(DB::raw('1'))
->whereNotNull('reserve_cancel_flag')
->limit(1)
->first();
// 列が存在する場合、キャンセル除外条件を追加
$reserveQuery = $reserveQuery
->where(function ($q) {
$q->whereNull('reserve_cancel_flag')
->orWhere('reserve_cancel_flag', 0);
})
->whereNull('reserve_cancelday');
} catch (\Exception $e) {
// キャンセルフラグが未運用の場合は基本条件のみで計算
}
$totalWaiting = $reserveQuery->count();
// 使用中台数park_number の park_number が使用台数)
$totalUsed = DB::table('park_number')
->sum('park_number') ?? 0;
// 空き台数 = 総容量 - 使用中台数
$totalVacant = max(0, $totalCapacityValue - $totalUsed);
// 利用率計算(小数点以下切捨て)
$utilizationRate = $totalCapacityValue > 0
? (int) floor(($totalUsed / $totalCapacityValue) * 100)
: 0;
// 予約待ち率超過時のみ、超過なしは0%
// 超過判定:待機人数 > 空き台数
$totalWaitingRate = 0;
if ($totalCapacityValue > 0 && $totalWaiting > 0 && $totalWaiting > $totalVacant) {
// 超過分 / 総容量 * 100分母チェック付き
$totalWaitingRate = (int) floor((($totalWaiting - $totalVacant) / $totalCapacityValue) * 100);
}
$totalStats = [
'total_cities' => DB::table('city')->count(),
'total_parks' => DB::table('park')->count(),
'total_contracts' => DB::table('regular_contract')->count(),
'total_users' => DB::table('user')->count(),
'total_devices' => DB::table('device')->count(),
'today_queues' => DB::table('operator_que')
->whereDate('created_at', today())
->count(),
'total_waiting' => $totalWaiting,
'total_capacity' => $totalCapacityValue,
'total_utilization_rate' => $utilizationRate,
'total_vacant_number' => $totalVacant,
'total_waiting_rate' => $totalWaitingRate,
];
// 自治体別統計情報を作成
$cityStats = [];
$cities = DB::table('city')->get();
foreach ($cities as $city) {
// その自治体に属する駐輪場 ID を取得
$parkIds = DB::table('park')
->where('city_id', $city->city_id)
->pluck('park_id')
->toArray();
// ① 駐輪場数
$parksCount = count($parkIds);
// ② 総収容台数park_number テーブルの park_standard を合算)
$capacity = 0;
if (!empty($parkIds)) {
$capacityResult = DB::table('park_number')
->whereIn('park_id', $parkIds)
->sum('park_standard');
$capacity = $capacityResult ?? 0;
}
// ③ 契約台数contract_cancel_flag = 0 かつ有効期間内)
$contractsCount = 0;
if (!empty($parkIds)) {
$contractsCount = DB::table('regular_contract')
->whereIn('park_id', $parkIds)
->where('contract_cancel_flag', 0)
->where(function ($q) {
// 有効期間内:開始日 <= 今日 かつ 終了日 >= 今日
$q->where('contract_periods', '<=', now())
->where('contract_periode', '>=', now());
})
->count();
}
// ④ 利用率計算(小数点以下切捨て)
$utilizationRate = $capacity > 0
? (int) floor(($contractsCount / $capacity) * 100)
: 0;
// ⑤ 空き台数
$availableSpaces = max(0, $capacity - $contractsCount);
// ⑥ 予約待ち人数reserve テーブルで contract_id IS NULL かつ valid_flag = 1
$waitingCount = 0;
if (!empty($parkIds)) {
$waitingQuery = DB::table('reserve')
->whereIn('park_id', $parkIds)
->where('valid_flag', 1)
->whereNull('contract_id');
// キャンセルフラグの有無をチェック
try {
DB::table('reserve')
->select(DB::raw('1'))
->whereNotNull('reserve_cancel_flag')
->limit(1)
->first();
// 列が存在する場合、キャンセル除外条件を追加
$waitingQuery = $waitingQuery
->where(function ($q) {
$q->whereNull('reserve_cancel_flag')
->orWhere('reserve_cancel_flag', 0);
})
->whereNull('reserve_cancelday');
} catch (\Exception $e) {
// キャンセルフラグが未運用の場合は基本条件のみで計算
}
$waitingCount = $waitingQuery->count();
}
// ⑦ 利用者数(ユニークユーザー数)
$usersCount = 0;
if (!empty($parkIds)) {
$usersCount = DB::table('regular_contract')
->whereIn('park_id', $parkIds)
->distinct()
->count('user_id');
}
// 配列に追加
$cityStats[] = [
'city' => $city,
'parks_count' => $parksCount,
'contracts_count' => $contractsCount,
'users_count' => $usersCount,
'waiting_count' => $waitingCount,
'capacity' => $capacity,
'utilization_rate' => $utilizationRate,
'available_spaces' => $availableSpaces,
];
}
return view('admin.information.dashboard', compact('totalStats', 'cityStats'));
}
// ステータス一括更新(着手=2 / 対応完了=3
public function updateStatus(Request $request)
{
$request->validate([
'ids' => 'required|array',
'action' => 'required|in:inprogress,done',
]);
$new = $request->action === 'inprogress' ? 2 : 3;
DB::table('operator_que')
->whereIn('que_id', $request->ids)
->update([
'que_status' => $new,
'updated_at' => now(),
]);
return back()->with('success', '選択したキューのステータスを更新しました。');
}
}

View File

@ -1,226 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use App\Models\InvSetting;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Storage;
class InvSettingController extends Controller
{
/**
* 登録フォーム表示
*/
public function form(Request $request)
{
$row = InvSetting::first();
$zip1 = $zip2 = $tel1 = $tel2 = $tel3 = $fax1 = $fax2 = $fax3 = '';
if ($row) {
// 郵便番号(そのままハイフン分割)
if (!empty($row->zipcode) && str_contains($row->zipcode, '-')) {
[$zip1, $zip2] = explode('-', $row->zipcode);
}
// 電話番号:数字以外を除去 → 2桁+4桁+4桁 に分割
if (!empty($row->tel_num)) {
$tel = preg_replace('/\D/', '', $row->tel_num); // 数字以外を除去
$tel1 = substr($tel, 0, 2);
$tel2 = substr($tel, 2, 4);
$tel3 = substr($tel, 6, 4);
}
// FAX番号同じく 2桁+4桁+4桁
if (!empty($row->fax_num)) {
$fax = preg_replace('/\D/', '', $row->fax_num);
$fax1 = substr($fax, 0, 2);
$fax2 = substr($fax, 2, 4);
$fax3 = substr($fax, 6, 4);
}
}
return view('admin.invsettings._form', compact(
'row', 'zip1', 'zip2', 'tel1', 'tel2', 'tel3', 'fax1', 'fax2', 'fax3'
));
}
/**
* 登録・更新処理
*/
public function save(Request $request)
{
// ▼ バリデーションルール
$rules = [
't_number' => 'required|string|max:20',
't_name' => 'required|string|max:50',
'zip1' => 'required|digits:3',
'zip2' => 'required|digits:4',
'adrs' => 'required|string|max:100',
'bldg' => 'nullable|string|max:80',
'tel1' => 'nullable|digits_between:2,4',
'tel2' => 'nullable|digits_between:2,4',
'tel3' => 'nullable|digits_between:3,4',
'fax1' => 'nullable|digits_between:2,4',
'fax2' => 'nullable|digits_between:2,4',
'fax3' => 'nullable|digits_between:3,4',
'company_image_path' => 'nullable|string|max:255',
];
// ▼ カスタム日本語メッセージ
$messages = [
't_number.required' => '適格請求書発行事業者番号を入力してください。',
't_number.max' => '適格請求書発行事業者番号は20文字以内で入力してください。',
't_name.required' => '適格事業者名を入力してください。',
't_name.max' => '適格事業者名は50文字以内で入力してください。',
'zip1.required' => '郵便番号(前半)を入力してください。',
'zip1.digits' => '郵便番号前半は3桁で入力してください。',
'zip2.required' => '郵便番号(後半)を入力してください。',
'zip2.digits' => '郵便番号後半は4桁で入力してください。',
'adrs.required' => '表示住所を入力してください。',
'adrs.max' => '表示住所は100文字以内で入力してください。',
'tel1.digits_between' => '電話番号1は2桁から4桁で入力してください。',
'tel2.digits_between' => '電話番号2は2桁から4桁で入力してください。',
'tel3.digits_between' => '電話番号3は3桁から4桁で入力してください。',
'fax1.digits_between' => 'FAX番号1は2桁から4桁で入力してください。',
'fax2.digits_between' => 'FAX番号2は2桁から4桁で入力してください。',
'fax3.digits_between' => 'FAX番号3は3桁から4桁で入力してください。',
];
// ▼ バリデーション実行
$request->validate($rules, $messages);
// ▼ データ整形
$zipcode = $request->zip1 . '-' . $request->zip2;
$tel = implode('-', array_filter([$request->tel1, $request->tel2, $request->tel3]));
$fax = implode('-', array_filter([$request->fax1, $request->fax2, $request->fax3]));
// ▼ 既存レコードを取得1レコード運用
$row = InvSetting::first();
// ▼ 画像パスを設定
$imagePath = $request->company_image_path;
// ▼ フォームで新たにファイルを送信した場合のみ再保存(保険的処理)
if ($request->hasFile('company_image')) {
if ($imagePath && Storage::disk('public')->exists($imagePath)) {
Storage::disk('public')->delete($imagePath);
}
$imagePath = $request->file('company_image')->store('inv', 'public');
}
// ▼ レコードを新規作成 or 更新
if ($row) {
$row->update([
't_number' => $request->t_number,
't_name' => $request->t_name,
'zipcode' => $zipcode,
'adrs' => $request->adrs,
'bldg' => $request->bldg,
'tel_num' => $tel,
'fax_num' => $fax,
'company_image_path' => $imagePath, // ← hiddenの値 or 新規アップロード結果を保存
]);
} else {
InvSetting::create([
't_number' => $request->t_number,
't_name' => $request->t_name,
'zipcode' => $zipcode,
'adrs' => $request->adrs,
'bldg' => $request->bldg,
'tel_num' => $tel,
'fax_num' => $fax,
'company_image_path' => $imagePath,
]);
}
return back()->with('success', 'インボイス設定を登録しました。');
}
/**
* 社判画像アップロードAJAX用
*/
// public function upload(Request $request)
// {
// // ファイルがアップロードされているか確認
// if ($request->hasFile('company_image_file')) {
// // 拡張子チェック & バリデーション
// $request->validate([
// 'company_image_file' => 'required|image|mimes:png,jpg,jpeg|max:2048',
// ], [
// 'company_image_file.image' => '画像ファイルを選択してください。',
// 'company_image_file.mimes' => 'アップロード可能な形式は png, jpg, jpeg のみです。',
// 'company_image_file.max' => 'ファイルサイズは2MB以下にしてください。',
// ]);
// // ファイル保存public/storage/inv に格納)
// $path = $request->file('company_image_file')->store('inv', 'public');
// // ファイル名を抽出
// $fileName = basename($path);
// // JSONで返却JSが受け取る
// return response()->json([
// 'file_name' => $fileName,
// 'path' => $path,
// ]);
// }
// // ファイル未選択時
// return response()->json([
// 'error' => 'ファイルが選択されていません。'
// ], 400);
// }
public function upload(Request $request)
{
// ファイルがアップロードされているか確認
if ($request->hasFile('company_image_file')) {
// 拡張子チェック & バリデーション
$request->validate([
'company_image_file' => 'required|image|mimes:png,jpg,jpeg|max:2048',
], [
'company_image_file.image' => '画像ファイルを選択してください。',
'company_image_file.mimes' => 'アップロード可能な形式は png, jpg, jpeg のみです。',
'company_image_file.max' => 'ファイルサイズは2MB以下にしてください。',
]);
// ファイルオブジェクト取得
$file = $request->file('company_image_file');
// 元のファイル名company_logo.png
$originalName = $file->getClientOriginalName();
// 保存用に、ファイル名の重複を避けるためにユニーク名を生成(推奨)
$fileName = $originalName;
// public/storage/inv に保存
$path = $file->storeAs('inv', $fileName, 'public');
// JSONで返却JS側で表示用ファイル名を使う
return response()->json([
'file_name' => $originalName, // ユーザーが見えるファイル名
'stored_as' => $fileName, // 実際に保存されたファイル名
'path' => $path,
]);
}
// ファイル未選択時
return response()->json([
'error' => 'ファイルが選択されていません。'
], 400);
}
}

View File

@ -1,134 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\JurisdictionParking;
use App\Models\Park;
use App\Models\Ope;
use Illuminate\Support\Facades\DB;
class JurisdictionParkingController extends Controller
{
public function list(Request $request)
{
$sort = $request->input('sort', 'jurisdiction_parking_id');
$sort_type = $request->input('sort_type', 'asc');
$list = JurisdictionParking::orderBy($sort, $sort_type)->paginate(20);
return view('admin.jurisdiction_parkings.list', compact('list', 'sort', 'sort_type'));
}
public function add(Request $request)
{
if ($request->isMethod('post')) {
$validated = $request->validate([
'jurisdiction_parking_name' => [
'required',
'string',
'max:20',
],
'ope_id' => [
'required',
],
'park_id' => [
'required',
],
'operator_id' => [
'nullable',
'integer',
],
]);
JurisdictionParking::create($validated);
return redirect()->route('jurisdiction_parkings')
->with('success', '登録しました。');
}
$parks = Park::pluck('park_name', 'park_id');
$opes = Ope::pluck('ope_name', 'ope_id');
return view('admin.jurisdiction_parkings.add', compact('parks', 'opes'));
}
public function edit(Request $request, $id)
{
$record = JurisdictionParking::findOrFail($id);
if ($request->isMethod('post')) {
$validated = $request->validate([
'jurisdiction_parking_name' => [
'required',
'string',
'max:20',
],
'ope_id' => [
'required',
],
'park_id' => [
'required',
],
'operator_id' => [
'nullable',
'integer',
],
]);
$record->update($validated);
return redirect()->route('jurisdiction_parkings')
->with('success', '更新しました。');
}
$parks = Park::pluck('park_name', 'park_id');
$opes = Ope::pluck('ope_name', 'ope_id');
return view('admin.jurisdiction_parkings.edit', compact('record', 'parks', 'opes'));
}
public function delete(Request $request)
{
$request->validate([
'pk' => 'required',
'pk.*' => 'integer', // 各要素が整数であることを確認
]);
$ids = (array) $request->input('pk'); // 配列として取得
$deleted = JurisdictionParking::destroy($ids);
if ($deleted > 0) {
return redirect()->route('jurisdiction_parkings')
->with('success', '削除しました。');
} else {
return redirect()->route('jurisdiction_parkings')
->with('error', '削除に失敗しました。');
}
}
public function info(Request $request, $jurisdiction_parking_id)
{
$record = JurisdictionParking::findOrFail($jurisdiction_parking_id);
return view('admin.jurisdiction_parkings.info', compact('record'));
}
public function import(Request $request)
{
// CSVインポート処理仮
return redirect()->route('jurisdiction_parkings')->with('success', 'CSVインポート処理未実装');
}
public function export(Request $request)
{
// CSVエクスポート処理仮
return response()->streamDownload(function () {
echo 'CSVエクスポートデータ未実装';
}, 'jurisdiction_parkings.csv');
}
}

View File

@ -1,146 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\MailTemplate;
class MailTemplateController extends Controller
{
/**
* 一覧表示
*/
public function list(Request $request)
{
if ($request->input('action') === 'reset') {
return redirect()->route('mail_templates');
}
$allowedSorts = [
'mail_template_id', 'pg_id', 'internal_id', 'mgr_cc_flag',
'bcc_adrs', 'use_flag', 'memo', 'subject', 'text',
'created_at', 'updated_at', 'operator_id'
];
$sort = $request->input('sort', 'mail_template_id');
$sort_type = $request->input('sort_type', 'asc');
if (!in_array($sort, $allowedSorts)) {
$sort = 'mail_template_id';
}
if (!in_array($sort_type, ['asc', 'desc'])) {
$sort_type = 'desc';
}
$query = MailTemplate::query();
// === 絞り込み ===
$mail_template_id = $request->input('mail_template_id');
$pg_id = $request->input('pg_id');
$mgr_cc_flag = $request->input('mgr_cc_flag');
$use_flag = $request->input('use_flag');
$subject = $request->input('subject');
if ($mail_template_id) {
$query->where('mail_template_id', $mail_template_id);
}
if ($pg_id) {
$query->where('pg_id', $pg_id);
}
if ($mgr_cc_flag !== null && $mgr_cc_flag !== '') {
$query->where('mgr_cc_flag', $mgr_cc_flag);
}
if ($use_flag !== null && $use_flag !== '') {
$query->where('use_flag', $use_flag);
}
if ($subject) {
$query->where('subject', 'LIKE', "%{$subject}%");
}
$templates = $query->orderBy($sort, $sort_type)->paginate(20);
return view('admin.mail_templates.list', compact(
'templates', 'sort', 'sort_type',
'mail_template_id', 'pg_id', 'mgr_cc_flag', 'use_flag', 'subject'
));
}
public function add(Request $request)
{
if ($request->isMethod('post')) {
$data = $this->validateTemplate($request);
$data['operator_id'] = optional(\Auth::user())->ope_id ?? null;
MailTemplate::create($data);
return redirect()->route('mail_templates')
->with('success', '登録しました。');
}
return view('admin.mail_templates.add', [
'mailTemplate' => new MailTemplate(),
'isEdit' => false,
]);
}
/**
* 編集
*/
public function edit(int $id, Request $request)
{
$mailTemplate = MailTemplate::findOrFail($id);
if ($request->isMethod('post')) {
$data = $this->validateTemplate($request);
$data['operator_id'] = optional(\Auth::user())->ope_id ?? null;
$mailTemplate->update($data);
return redirect()->route('mail_templates')
->with('success', '更新しました。');
}
return view('admin.mail_templates.edit', [
'mailTemplate' => $mailTemplate,
'isEdit' => true,
]);
}
/**
* 削除
*/
public function delete(Request $request)
{
$pk = $request->input('pk', []);
// 配列に統一
$ids = is_array($pk) ? $pk : [$pk];
$ids = array_values(array_filter($ids, fn($v) => preg_match('/^\d+$/', (string) $v)));
if (empty($ids)) {
return redirect()->route('mail_templates')->with('error', '削除対象が選択されていません。');
}
MailTemplate::whereIn('mail_template_id', $ids)->delete();
return redirect()->route('mail_templates')->with('success', '削除しました。');
}
/**
* バリデーション共通化
*/
private function validateTemplate(Request $request)
{
return $request->validate([
'pg_id' => 'required|integer',
'internal_id' => 'required|integer',
'mgr_cc_flag' => 'required|boolean',
'bcc_adrs' => 'nullable|string|max:255',
'use_flag' => 'required|boolean',
'memo' => 'nullable|string|max:255',
'subject' => 'required|string|max:255',
'text' => 'required|string',
]);
}
}

View File

@ -1,249 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use App\Models\Manager;
use App\Models\Park;
use App\Models\Device;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
use Symfony\Component\HttpFoundation\StreamedResponse;
class ManagerController extends Controller
{
/** 一覧 */
public function list(Request $request)
{
$sortable = [
'manager_id','manager_name','manager_parkid','manager_tel',
'manager_alert1','manager_alert2','manager_quit_flag'
];
$sort = $request->input('sort', 'manager_id');
$sort_type = $request->input('sort_type', 'asc');
if (!in_array($sort, $sortable)) $sort = 'manager_id';
if (!in_array(strtolower($sort_type), ['asc','desc'])) $sort_type = 'asc';
$list = Manager::with(['park','device1','device2'])
->orderBy($sort, $sort_type)
->paginate(20);
return view('admin.managers.list', compact('list','sort','sort_type'));
}
/** 新規登録画面・登録処理 */
public function add(Request $request)
{
if ($request->isMethod('post')) {
$validated = $this->validated($request);
Manager::create($validated);
return redirect()
->route('managers')
->with('success', '登録しました。');
}
return view('admin.managers.add', $this->viewVars());
}
/** 編集GET:画面表示 / POST:更新) */
public function edit(Request $request, $id)
{
$manager = Manager::findOrFail($id);
if ($request->isMethod('post')) {
$validated = $this->validated($request);
$manager->update($validated);
return redirect()
->route('managers')
->with('success', '更新されました。');
}
return view('admin.managers.edit', $this->viewVars($manager));
}
/** 詳細(閲覧) */
public function info($manager_id)
{
$manager = Manager::with(['park','device1','device2'])->findOrFail($manager_id);
$view = $this->viewVars($manager);
return view('admin.managers.info', $view);
}
/** 一括削除(一覧・詳細・編集共通で pk[] を受ける) */
public function delete(Request $request)
{
$ids = (array) $request->input('pk', []);
if (!$ids) {
return back()->with('error', '削除対象が選択されていません。');
}
DB::transaction(fn() => Manager::whereIn('manager_id', $ids)->delete());
// 一覧画面へリダイレクト + 成功メッセージ
return redirect()
->route('managers')
->with('success', '削除しました。');
}
/** CSV出力 */
public function export(): StreamedResponse
{
$headers = [
'Content-Type' => 'text/csv; charset=UTF-8',
'Content-Disposition' => 'attachment; filename=managers.csv',
];
$columns = [
'manager_id','manager_name','manager_type','manager_parkid',
'manager_device1','manager_device2','manager_mail','manager_tel',
'manager_alert1','manager_alert2','manager_quit_flag','manager_quitday'
];
return response()->stream(function () use ($columns) {
$out = fopen('php://output', 'w');
fwrite($out, "\xEF\xBB\xBF"); // BOM
fputcsv($out, $columns);
Manager::chunk(500, function ($rows) use ($out, $columns) {
foreach ($rows as $r) {
fputcsv($out, array_map(fn($c) => data_get($r, $c), $columns));
}
});
fclose($out);
}, 200, $headers);
}
/** CSVインポートinput name="file" */
public function import(Request $request)
{
if (!$request->hasFile('file')) {
return back()->with('error', 'CSVファイルを選択してください。');
}
$fp = fopen($request->file('file')->getRealPath(), 'r');
if (!$fp) return back()->with('error', 'CSVを読み込めませんでした。');
$header = fgetcsv($fp);
if (!$header) { fclose($fp); return back()->with('error', 'ヘッダ行が読み取れません。'); }
$required = [
'manager_id','manager_name','manager_type','manager_parkid',
'manager_device1','manager_device2','manager_mail','manager_tel',
'manager_alert1','manager_alert2','manager_quit_flag','manager_quitday'
];
foreach ($required as $c) {
if (!in_array($c, $header)) { fclose($fp); return back()->with('error', "CSVに {$c} がありません。"); }
}
DB::beginTransaction();
try {
while (($row = fgetcsv($fp)) !== false) {
$data = array_combine($header, $row); if (!$data) continue;
Manager::updateOrCreate(
['manager_id' => $data['manager_id']],
[
'manager_name' => $data['manager_name'] ?? null,
'manager_type' => $data['manager_type'] ?? null,
'manager_parkid' => $data['manager_parkid'] ?: null,
'manager_device1' => $data['manager_device1'] ?: null,
'manager_device2' => $data['manager_device2'] ?: null,
'manager_mail' => $data['manager_mail'] ?? null,
'manager_tel' => $data['manager_tel'] ?? null,
'manager_alert1' => (int)($data['manager_alert1'] ?? 0),
'manager_alert2' => (int)($data['manager_alert2'] ?? 0),
'manager_quit_flag' => (int)($data['manager_quit_flag'] ?? 0),
'manager_quitday' => $data['manager_quitday'] ?: null,
]
);
}
fclose($fp);
DB::commit();
return back()->with('success', 'インポートが完了しました。');
} catch (\Throwable $e) {
if (is_resource($fp)) fclose($fp);
DB::rollBack();
return back()->with('error', 'インポートに失敗しました:'.$e->getMessage());
}
}
/** バリデーション + 前処理 */
private function validated(Request $request): array
{
// 電話番号を全角に変換(半角入力があっても自動で全角に揃える)
$request->merge([
'manager_tel' => mb_convert_kana($request->input('manager_tel'), 'N') // 半角数字→全角数字
]);
// select の未選択 "" を null に補正
foreach (['manager_device2'] as $f) {
if ($request->input($f) === "") {
$request->merge([$f => null]);
}
}
return $request->validate([
'manager_name' => ['required','string','max:32'],
'manager_type' => ['required','string','max:10'],
'manager_parkid' => ['required','integer','exists:park,park_id'],
'manager_device1' => ['required','integer','exists:device,device_id'],
'manager_device2' => ['nullable','integer','exists:device,device_id'],
'manager_mail' => ['nullable','email','max:128'],
'manager_tel' => ['required','regex:/^[-]+$/u','max:13'], // 全角数字のみ
'manager_alert1' => ['nullable','boolean'],
'manager_alert2' => ['nullable','boolean'],
'manager_quit_flag' => ['required','in:0,1'],
'manager_quitday' => ['nullable','date'],
], [], [
'manager_name' => '駐輪場管理者名',
'manager_type' => '種別',
'manager_parkid' => '所属駐輪場ID',
'manager_device1' => '管理デバイス1',
'manager_device2' => '管理デバイス2',
'manager_mail' => 'メールアドレス',
'manager_tel' => '電話番号',
'manager_alert1' => 'アラート1送信',
'manager_alert2' => 'アラート2送信',
'manager_quit_flag' => '退職フラグ',
'manager_quitday' => '退職日',
]);
}
/** 画面に渡す変数を作る_form.blade.php が個別変数を参照するため) */
private function viewVars(?Manager $m = null): array
{
$parks = Park::orderBy('park_name')->pluck('park_name','park_id')->toArray();
$devices = Device::orderBy('device_subject')->pluck('device_subject','device_id')->toArray();
return [
// _form が参照する個別変数
'manager_id' => $m->manager_id ?? null,
'manager_name' => $m->manager_name ?? null,
'manager_type' => $m->manager_type ?? null,
'manager_parkid' => $m->manager_parkid ?? null,
'manager_device1' => $m->manager_device1 ?? null,
'manager_device2' => $m->manager_device2 ?? null,
'manager_mail' => $m->manager_mail ?? null,
'manager_tel' => $m->manager_tel ?? null,
'manager_alert1' => (int)($m->manager_alert1 ?? 0),
'manager_alert2' => (int)($m->manager_alert2 ?? 0),
'manager_quit_flag' => isset($m) ? (int)$m->manager_quit_flag : 0,
'manager_quitday' => isset($m) && $m->manager_quitday ? $m->manager_quitday->format('Y-m-d') : null,
// セレクトの候補
'parks' => $parks,
'devices' => $devices,
// _form で必要なフラグ各ビューで上書きしてもOK
'isEdit' => isset($m),
'isInfo' => false,
'record' => $m, // 互換用(あなた的 edit.blade.php で参照しているなら)
];
}
}

View File

@ -1,226 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
use Illuminate\Validation\Rule;
class NewsController extends Controller
{
/** @var string テーブル名 */
protected string $table = 'news';
/** @var string 主キー列名 */
protected string $pk = 'news_id';
/**
* 現在ログイン中のオペレーターIDを取得
* @return int|null
*/
protected function currentOperatorId(): ?int
{
$u = auth()->user();
return $u->ope_id ?? $u->id ?? null;
}
/**
* 一覧表示GET/POST
* 検索条件kw本文/URL 部分一致、mode、open_datetime 範囲from/to
*/
public function list(Request $request)
{
// 一覧用クエリ(表示に必要な列のみ)
$q = DB::table($this->table)->select([
"{$this->pk} as id",
'news',
'mode',
'open_datetime',
'link_url',
'image1_filename',
'image2_filename',
'created_at',
'updated_at',
]);
// キーワード検索(本文/リンクURL
if ($kw = trim((string)$request->input('kw', ''))) {
$q->where(function($w) use ($kw) {
$w->where('news','like',"%{$kw}%")
->orWhere('link_url','like',"%{$kw}%");
});
}
// 表示モードで絞り込み0:非表示 / 1:公開 / 2:下書き など)
if ($request->filled('mode')) {
$q->where('mode', (int)$request->input('mode'));
}
// 公開日時の範囲指定
if ($request->filled('from')) { $q->where('open_datetime','>=',$request->input('from')); }
if ($request->filled('to')) { $q->where('open_datetime','<=',$request->input('to')); }
// {追加} 並び替え(ホワイトリスト)
$sort = (string)$request->query('sort', '');
$dir = strtolower((string)$request->query('dir', 'desc'));
$dir = in_array($dir, ['asc','desc'], true) ? $dir : 'desc';
// 画面キー → 実カラム
$sortable = [
'id' => $this->pk, // ニュースID
'news' => 'news', // ニュース内容
'open_datetime' => 'open_datetime', // 公開日時
'mode' => 'mode', // 表示モード
];
if (isset($sortable[$sort])) {
$q->orderBy($sortable[$sort], $dir);
} else {
// 既定:公開日時降順 → 主キー降順
$q->orderByDesc('open_datetime')
->orderByDesc($this->pk);
}
// ページング(現在のクエリを維持)
$rows = $q->paginate(20)->appends($request->except('page'));
return view('admin.news.list', compact('rows'));
}
/**
* 新規作成GET:フォーム表示 / POST:登録処理)
*/
public function add(Request $request)
{
if ($request->isMethod('post')) {
$messages = [
'required' => ':attribute は、必ず入力してください。',
'open_datetime.date_format' => '公開日時は :format 形式YYYY-MM-DD HH:MM:SSで入力してください。',
];
$attributes = [
'news' => 'ニュース内容',
'open_datetime' => '公開日時',
'mode' => '表示モード',
];
$v = $request->validate([
'news' => 'required|string',
'open_datetime' => 'required|date_format:Y-m-d H:i:s',
'link_url' => 'nullable|string|max:255',
'image1_filename' => 'nullable|string|max:255',
'image2_filename' => 'nullable|string|max:255',
'mode' => 'required|integer|min:0|max:9',
], $messages, $attributes);
// 登録
$now = now();
DB::table($this->table)->insert([
'news' => $v['news'],
'open_datetime' => $v['open_datetime'],
'link_url' => $v['link_url'] ?? null,
'image1_filename' => $v['image1_filename'] ?? null,
'image2_filename' => $v['image2_filename'] ?? null,
'mode' => $v['mode'],
'created_at' => $now,
'updated_at' => $now,
'operator_id' => $this->currentOperatorId(),
]);
return redirect()->route('news')->with('success','ニュースを登録しました。');
}
// フォーム表示
return view('admin.news.add');
}
/**
* 編集GET:フォーム表示 / POST:更新処理)
* @param int $id ニュースID
*/
public function edit($id, Request $request)
{
// 対象データ取得
$news = DB::table($this->table)->where($this->pk, $id)->first();
if (!$news) { abort(404); }
if ($request->isMethod('post')) {
$messages = [
'required' => ':attribute は、必ず入力してください。',
'open_datetime.date_format' => '公開日時は :format 形式YYYY-MM-DDで入力してください。',
];
$attributes = [
'news' => 'ニュース内容',
'open_datetime' => '公開日時',
'mode' => '表示モード',
];
$v = $request->validate([
'news' => 'required|string',
'open_datetime' => 'required|date_format:Y-m-d',
'link_url' => 'nullable|string|max:255',
'image1_filename' => 'nullable|string|max:255',
'image2_filename' => 'nullable|string|max:255',
'mode' => 'required|integer|min:0|max:9',
], $messages, $attributes);
// 更新
DB::table($this->table)->where($this->pk, $id)->update([
'news' => $v['news'],
'open_datetime' => $v['open_datetime'] . ' 00:00:00',
'link_url' => $v['link_url'] ?? null,
'image1_filename' => $v['image1_filename'] ?? null,
'image2_filename' => $v['image2_filename'] ?? null,
'mode' => $v['mode'],
'updated_at' => now(),
'operator_id' => $this->currentOperatorId(),
]);
return redirect()->route('news_edit', ['id'=>$id])->with('success','更新しました。');
}
// フォーム表示
return view('admin.news.edit', compact('news'));
}
/**
* 詳細表示
* @param int $id ニュースID
*/
public function info($id)
{
// 詳細用に必要な列を選択
$news = DB::table($this->table)
->select([
"{$this->pk} as id",
'news','mode','open_datetime','link_url',
'image1_filename','image2_filename',
'created_at','updated_at','operator_id',
])->where($this->pk, $id)->first();
if (!$news) { abort(404); }
return view('admin.news.info', compact('news'));
}
/**
* 削除(単体 id または 複数 ids[] に対応)
*/
public function delete(Request $request)
{
// 削除対象IDの取得単体 or 複数)
$ids = $request->input('ids');
if (!$ids) {
$id = (int)$request->input('id');
if ($id > 0) { $ids = [$id]; }
}
// バリデーション:削除対象未選択
if (!is_array($ids) || empty($ids)) {
return back()->with('error', '削除対象が選択されていません。');
}
// 削除実行
DB::table($this->table)->whereIn($this->pk, $ids)->delete();
return back()->with('success','削除しました。');
}
}

View File

@ -1,340 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\Ope;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Validator;
use Symfony\Component\HttpFoundation\StreamedResponse;
use App\Models\Feature;
use App\Models\Permission;
use App\Models\OpePermission;
class OpeController extends Controller
{
/**
* 一覧
*/
public function list(Request $request)
{
$inputs = [
'isMethodPost' => $request->isMethod('post'),
'sort' => $request->input('sort', 'ope_id'),
'sort_type' => $request->input('sort_type', 'asc'),
'isExport' => false,
];
// Blade 側は $list / $sort / $sort_type を参照
$list = Ope::search($inputs);
$sort = $inputs['sort'];
$sort_type = $inputs['sort_type'];
return view('admin.opes.list', compact('list', 'sort', 'sort_type'));
}
/**
* 新規登録GET 画面 / POST 保存)
*/
public function add(Request $request)
{
// ※機能(画面)一覧を取得(プルダウン用)
$features = Feature::query()
->orderBy('id')
->get(['id', 'name']);
// ※操作権限一覧を取得(チェックボックス用)
$permissions = Permission::query()
->orderBy('id')
->get(['id', 'code', 'name']);
if ($request->isMethod('get')) {
return view('admin.opes.add', [
'isEdit' => false,
'record' => new Ope(),
'ope_id' => null,
'ope_name' => '',
'ope_type' => '',
'ope_mail' => '',
'ope_phone' => '',
'ope_sendalart_que1' => 0, 'ope_sendalart_que2' => 0, 'ope_sendalart_que3' => 0,
'ope_sendalart_que4' => 0, 'ope_sendalart_que5' => 0, 'ope_sendalart_que6' => 0,
'ope_sendalart_que7' => 0, 'ope_sendalart_que8' => 0, 'ope_sendalart_que9' => 0,
'ope_sendalart_que10' => 0, 'ope_sendalart_que11' => 0, 'ope_sendalart_que12' => 0,
'ope_sendalart_que13' => 0,
'ope_auth1' => '', 'ope_auth2' => '', 'ope_auth3' => '', 'ope_auth4' => '',
'ope_quit_flag' => 0, 'ope_quitday' => '',
// ▼追加権限設定UI用
'features' => $features,
'permissions' => $permissions,
'selectedFeatureId' => old('feature_id', null),
]);
}
// 入力値を一旦取得
$data = $request->all();
// --- バリデーション ---
$rules = [
'login_id' => 'required|string|max:255|unique:ope,login_id',
'ope_name' => 'required|string|max:255',
'ope_type' => 'required|string|max:50',
'ope_mail' => [
'required',
function ($attribute, $value, $fail) {
// ; でも , でもOK、保存時は ; に統一
$emails = array_map('trim', explode(';', str_replace(',', ';', $value)));
foreach ($emails as $email) {
if ($email !== '' && !filter_var($email, FILTER_VALIDATE_EMAIL)) {
$fail("無効なメールアドレス形式です: {$email}");
}
}
}
],
'ope_phone' => 'nullable|string|max:50',
'password' => 'required|string|min:8|confirmed',
];
$request->validate($rules);
// --- 保存用にメールを ; 区切りに統一 ---
$emails = array_filter(array_map('trim', explode(';', str_replace(',', ';', $data['ope_mail']))));
$data['ope_mail'] = implode(';', $emails);
// 保存処理
$ope = new Ope();
$ope->fill($data);
$ope->save();
return redirect()->route('opes')->with('success', '登録しました。');
}
/**
* 編集GET 画面 / POST 更新)
* ※権限(自治体×機能×操作)も同画面で設定する
*/
public function edit($id, Request $request)
{
$ope = Ope::getByPk($id);
if (!$ope) abort(404);
// ※機能(画面)一覧を取得(プルダウン用)
$features = Feature::query()
->orderBy('id')
->get(['id', 'name']);
// ※操作権限一覧を取得(チェックボックス用)
$permissions = Permission::query()
->orderBy('id')
->get(['id', 'code', 'name']);
// ※自治体IDopeに紐づく想定
$municipalityId = (int)($ope->municipality_id ?? 0);
if ($request->isMethod('get')) {
return view('admin.opes.edit', [
'isEdit' => true,
'record' => $ope,
// ▼追加権限設定UI用
'features' => $features,
'permissions' => $permissions,
'selectedFeatureId' => old('feature_id', null),
]);
}
/**
* ▼権限設定の保存feature_id + permission_ids[]
* ※画面側の保存ボタンを「権限も同時保存」にする場合はここで処理する
* ※もし「基本情報の更新」と「権限更新」をボタンで分けたい場合は、別アクションに分離推奨
*/
if ($request->has('feature_id')) {
$request->validate([
'feature_id' => ['required', 'integer', 'exists:features,id'],
'permission_ids' => ['nullable', 'array'],
'permission_ids.*' => ['integer', 'exists:permissions,id'],
]);
$featureId = (int)$request->input('feature_id');
$permissionIds = array_map('intval', (array)$request->input('permission_ids', []));
DB::transaction(function () use ($municipalityId, $featureId, $permissionIds) {
// ※機能単位で置換(自治体単位)
OpePermission::replaceByFeature($municipalityId, $featureId, $permissionIds);
});
}
// 入力値を一旦取得
$data = $request->all();
// --- バリデーション ---
$rules = [
'login_id' => "required|string|max:255|unique:ope,login_id,{$id},ope_id",
'ope_name' => 'required|string|max:255',
'ope_type' => 'required|string|max:50',
'ope_phone' => 'nullable|string|max:50',
'ope_mail' => [
'required',
function ($attribute, $value, $fail) {
$emails = array_map('trim', explode(';', str_replace(',', ';', $value)));
foreach ($emails as $email) {
if ($email !== '' && !filter_var($email, FILTER_VALIDATE_EMAIL)) {
$fail("無効なメールアドレス形式です: {$email}");
}
}
}
],
'password' => 'nullable|string|min:8|confirmed',
];
$request->validate($rules);
// --- 保存用にメールを ; 区切りに統一 ---
if (!empty($data['ope_mail'])) {
$emails = array_filter(array_map('trim', explode(';', str_replace(',', ';', $data['ope_mail']))));
$data['ope_mail'] = implode(';', $emails);
}
// パスワード空なら更新しない
if (empty($data['password'])) {
unset($data['password']);
}
// 保存処理
$ope->fill($data);
$ope->save();
return redirect()->route('opes')->with('success', '更新しました。');
}
/**
* 権限回顧AJAX
* /opes/{id}/permissions?feature_id=xx
* ※ope_permissionが自治体単位のため、opeの自治体IDで取得する
*/
public function getPermissionsByFeature(int $id, Request $request)
{
$ope = Ope::getByPk($id);
if (!$ope) abort(404);
$featureId = (int)$request->query('feature_id');
if ($featureId <= 0) {
return response()->json([]);
}
$municipalityId = (int)($ope->municipality_id ?? 0);
$ids = OpePermission::query()
->where('municipality_id', $municipalityId)
->where('feature_id', $featureId)
->pluck('permission_id')
->values();
return response()->json($ids);
}
/**
* 削除(単体 or 複数)
*/
public function delete(Request $request)
{
$ids = [];
// 単体削除
if ($request->filled('id')) {
$ids[] = (int)$request->input('id');
}
// 複数削除
if ($request->filled('ids')) {
$ids = array_merge($ids, array_map('intval', (array)$request->input('ids')));
}
$ids = array_unique($ids);
if (!$ids) {
return back()->with('error', '削除対象が選択されていません。');
}
Ope::deleteByPk($ids);
return redirect()->route('opes')->with('success', '削除しました。');
}
/**
* CSVインポート
*/
public function import(Request $request)
{
$validator = Validator::make($request->all(), [
'file' => 'required|file|mimes:csv,txt|max:20480',
]);
if ($validator->fails()) {
return back()->withErrors($validator)->withInput();
}
$file = $request->file('file')->getRealPath();
$handle = fopen($file, 'r');
if (!$handle) return back()->with('error', 'CSVを読み取れません。');
$header = fgetcsv($handle);
$header = array_map(fn($h) => trim(ltrim($h ?? '', "\xEF\xBB\xBF")), $header);
$fillable = (new Ope())->getFillable();
$rows = [];
while (($row = fgetcsv($handle)) !== false) {
$assoc = [];
foreach ($header as $i => $key) {
if (in_array($key, $fillable, true)) {
$assoc[$key] = $row[$i] ?? null;
}
}
if ($assoc) $rows[] = $assoc;
}
fclose($handle);
DB::transaction(function () use ($rows) {
foreach ($rows as $data) {
Ope::create($data);
}
});
return redirect()->route('opes')->with('success', count($rows) . '件をインポートしました。');
}
/**
* CSVエクスポート
*/
public function export(): StreamedResponse
{
$filename = 'ope_' . now()->format('Ymd_His') . '.csv';
$fillable = (new Ope())->getFillable();
$response = new StreamedResponse(function () use ($fillable) {
$out = fopen('php://output', 'w');
fprintf($out, chr(0xEF) . chr(0xBB) . chr(0xBF)); // BOM
fputcsv($out, $fillable);
Ope::orderBy('ope_id')->chunk(500, function ($chunk) use ($out, $fillable) {
foreach ($chunk as $row) {
$line = [];
foreach ($fillable as $f) {
$line[] = $row->$f ?? '';
}
fputcsv($out, $line);
}
});
fclose($out);
});
$response->headers->set('Content-Type', 'text/csv; charset=UTF-8');
$response->headers->set('Content-Disposition', "attachment; filename={$filename}");
return $response;
}
}

View File

@ -1,296 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Validator;
use Symfony\Component\HttpFoundation\StreamedResponse;
// モデル
use App\Models\OperatorQue; // operator_que テーブル
use App\Models\User; // 利用者候補user_seq / user_name / user_mobile / user_homephone
use App\Models\Park; // 駐輪場候補park_id / park_name
class OperatorQueController extends Controller
{
/**
* 一覧
* ルート: operator_ques
*/
public function list(Request $request)
{
$sort = $request->input('sort', 'que_id');
$sort_type = $request->input('sort_type', 'asc');
$que_status = $request->input('que_status');
// 許可されたカラム名のリストDB定義に合わせて
$allowedSorts = ['que_id', 'ope_id', 'que_status', 'created_at', 'updated_at', 'user_id', 'park_id', 'que_class'];
if (!in_array($sort, $allowedSorts)) {
$sort = 'que_id';
}
if (!in_array($sort_type, ['asc', 'desc'])) {
$sort_type = 'desc';
}
$query = OperatorQue::query();
// フィルタリング(絞り込み)
if (!empty($que_status)) {
$query->where('que_status', $que_status);
}
$list = $query->orderBy($sort, $sort_type)
->paginate(\App\Utils::item_per_page ?? 20);
// view に $que_status を渡す
return view('admin.operator_ques.list', compact('list', 'sort', 'sort_type', 'que_status'));
}
/**
* 新規登録(画面/処理)
*/
public function add(Request $request)
{
if ($request->isMethod('get')) {
// 新規時は空のレコードを用意してフォーム描画
return view('admin.operator_ques.add', array_merge(
$this->formPayload(),
[
'isEdit' => false,
'record' => new OperatorQue(), // ← ★ _form.blade.php で使う用
'que_id' => null,
]
));
}
// POST時バリデーション
$data = $this->validateRequest($request);
// 登録処理
OperatorQue::create($data);
return redirect()->route('operator_ques')->with('success', '登録しました。');
}
/**
* 編集(画面/処理)
*/
public function edit($id, Request $request)
{
$que = OperatorQue::findOrFail($id);
if ($request->isMethod('get')) {
return view('admin.operator_ques.edit', array_merge(
$this->formPayload($que),
[
'que_id' => $que->que_id,
'record' => $que,
]
));
}
$data = $this->validateRequest($request, $que->que_id);
$que->fill($data)->save();
return redirect()->route('operator_ques')->with('success', '更新しました。');
}
/**
* 詳細(参照)
*/
public function info($id)
{
$que = OperatorQue::findOrFail($id);
return view('admin.operator_ques.info', array_merge(
$this->formPayload($que),
['que_id' => $que->que_id]
));
}
/**
* 削除(複数可)
*/
public function delete(Request $request)
{
$ids = [];
if ($request->filled('id')) {
$ids[] = (int) $request->input('id');
}
if (is_array($request->input('pk'))) {
$ids = array_merge($ids, $request->input('pk'));
}
$ids = array_values(array_unique(array_map('intval', $ids)));
if (!$ids) {
return back()->with('error', '削除対象が選択されていません。');
}
OperatorQue::whereIn('que_id', $ids)->delete();
return redirect()->route('operator_ques')->with('success', '削除しました。');
}
/**
* CSV インポート
*/
public function import(Request $request)
{
$validator = Validator::make($request->all(), [
'file' => 'required|file|mimes:csv,txt|max:20480',
]);
if ($validator->fails()) {
return back()->withErrors($validator)->withInput();
}
$file = $request->file('file')->getRealPath();
if (!$handle = fopen($file, 'r')) {
return back()->with('error', 'CSVを読み取れません。');
}
$header = fgetcsv($handle) ?: [];
$header = array_map(fn($h) => trim(ltrim($h ?? '', "\xEF\xBB\xBF")), $header);
$fillable = (new OperatorQue())->getFillable();
$rows = [];
while (($row = fgetcsv($handle)) !== false) {
$assoc = [];
foreach ($header as $i => $key) {
if (in_array($key, $fillable, true)) {
$assoc[$key] = $row[$i] ?? null;
}
}
if ($assoc) {
$rows[] = $assoc;
}
}
fclose($handle);
DB::transaction(function () use ($rows) {
foreach ($rows as $data) {
OperatorQue::create($data);
}
});
return redirect()->route('operator_ques')->with('success', count($rows) . '件をインポートしました。');
}
/**
* CSV エクスポート
*/
public function export(): StreamedResponse
{
$filename = 'operator_que_' . now()->format('Ymd_His') . '.csv';
$fillable = (new OperatorQue())->getFillable(); // 見出しは fillable を流用
$response = new StreamedResponse(function () use ($fillable) {
$out = fopen('php://output', 'w');
// UTF-8 BOM
fprintf($out, chr(0xEF) . chr(0xBB) . chr(0xBF));
fputcsv($out, $fillable);
OperatorQue::orderBy('que_id')->chunk(500, function ($chunk) use ($out, $fillable) {
foreach ($chunk as $row) {
$line = [];
foreach ($fillable as $f) {
$line[] = $row->$f ?? '';
}
fputcsv($out, $line);
}
});
fclose($out);
});
$response->headers->set('Content-Type', 'text/csv; charset=UTF-8');
$response->headers->set('Content-Disposition', "attachment; filename={$filename}");
return $response;
}
/**
* フォームに渡す値/候補
*/
private function formPayload(?OperatorQue $que = null): array
{
// 値
$payload = [
'que_id' => $que->que_id ?? '',
'user_id' => $que->user_id ?? '',
'contract_id' => $que->contract_id ?? '',
'park_id' => $que->park_id ?? '',
'que_class' => $que->que_class ?? '',
'que_comment' => $que->que_comment ?? '',
'que_status' => $que->que_status ?? '',
'que_status_comment' => $que->que_status_comment?? '',
'work_instructions' => $que->work_instructions ?? '',
];
// 候補
$payload['users'] = $this->fetchUsers();
$payload['parks'] = $this->fetchParks();
return $payload;
}
/**
* バリデーション
* 実テーブルの型に合わせて必要に応じて調整
*/
private function validateRequest(Request $request, $queId = null): array
{
$rules = [
'user_id' => 'nullable|integer',
'contract_id' => 'nullable|integer',
'park_id' => 'nullable|integer',
'que_class' => 'required|integer',
'que_comment' => 'nullable|string|max:2000',
'que_status' => 'required|integer',
'que_status_comment' => 'nullable|string|max:2000',
'work_instructions' => 'nullable|string|max:2000',
// 'operator_id' => 'nullable|integer', // ログインユーザIDを使うなら不要
];
return $request->validate($rules);
}
/**
* 利用者候補user_seq, user_name, user_mobile, user_homephone
* Blade 側では $users をそのまま @foreach
*/
private function fetchUsers()
{
try {
return User::select('user_seq', 'user_name', 'user_mobile', 'user_homephone')
->orderBy('user_name')
->get();
} catch (\Throwable $e) {
return DB::table('users')
->select(['user_seq', 'user_name', 'user_mobile', 'user_homephone'])
->orderBy('user_name')
->get();
}
}
/**
* 駐輪場候補park_id => park_name
*/
private function fetchParks()
{
try {
return Park::orderBy('park_name')->pluck('park_name', 'park_id');
} catch (\Throwable $e) {
return DB::table('parks')->orderBy('park_name')->pluck('park_name', 'park_id');
}
}
}

View File

@ -1,230 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\User;
use App\Models\Usertype;
use App\Models\Ope;
class PersonalController extends Controller
{
/**
* 本人確認手動処理 一覧画面
*/
public function list(Request $request)
{
$query = User::query();
if ($request->filled('user_id')) {
$query->where('user_id', $request->input('user_id'));
}
$users = $query->paginate(20);
return view('admin.personal.list', [
'users' => $users,
'request' => $request,
]);
}
/**
* 本人確認手動処理 編集画面
*/
public function edit(Request $request, $id)
{
// 利用者情報取得
$user = User::where('user_id', $id)->firstOrFail();
// 利用者分類マスタ取得(ラジオボタン用)
$usertypes = Usertype::orderBy('sort_order')->get();
// POST時の処理
if ($request->isMethod('post')) {
// 利用者分類IDの更新
$user->user_categoryid = $request->input('user_categoryid', $user->user_categoryid);
// 本人確認チェックOK/NG
if ($request->input('check') === 'ok') {
$user->user_idcard_chk_flag = 1;
} elseif ($request->input('check') === 'ng') {
$user->user_idcard_chk_flag = 0;
// 備考欄も更新NG理由
$user->user_remarks = $request->input('user_remarks', $user->user_remarks);
}
$user->save();
return redirect()->route('personal')->with('success', '更新しました');
}
return view('admin.personal.edit', [
'user' => $user,
'usertypes' => $usertypes,
]);
}
}
class OpesController extends Controller
{
/**
* オペレータ一覧画面
*/
public function list(Request $request)
{
$sort = $request->input('sort', 'ope_id'); // デフォルト値を設定
$sort_type = $request->input('sort_type', 'asc'); // デフォルト値を設定
$query = Ope::query();
// 並び替え
$query->orderBy($sort, $sort_type);
$list = $query->paginate(20);
return view('admin.opes.list', [
'list' => $list,
'sort' => $sort,
'sort_type' => $sort_type,
'request' => $request,
]);
}
/**
* オペレータ編集画面
*/
public function edit(Request $request, $id)
{
$ope = \App\Models\Ope::findOrFail($id);
if ($request->isMethod('post')) {
// バリデーション&更新処理
// ...
}
// 各項目を配列で渡す
return view('admin.opes.edit', [
'ope_id' => $ope->ope_id,
'ope_name' => $ope->ope_name,
'login_id' => $ope->login_id,
'ope_pass' => '', // パスワードは空で
'ope_belong' => $ope->ope_belong,
'ope_type' => $ope->ope_type,
'ope_mail' => $ope->ope_mail,
'ope_phone' => $ope->ope_phone,
'ope_sendalart_que1' => $ope->ope_sendalart_que1,
'ope_sendalart_que2' => $ope->ope_sendalart_que2,
'ope_sendalart_que3' => $ope->ope_sendalart_que3,
'ope_sendalart_que4' => $ope->ope_sendalart_que4,
'ope_sendalart_que5' => $ope->ope_sendalart_que5,
'ope_sendalart_que6' => $ope->ope_sendalart_que6,
'ope_sendalart_que7' => $ope->ope_sendalart_que7,
'ope_sendalart_que8' => $ope->ope_sendalart_que8,
'ope_sendalart_que9' => $ope->ope_sendalart_que9,
'ope_sendalart_que10' => $ope->ope_sendalart_que10,
'ope_sendalart_que11' => $ope->ope_sendalart_que11,
'ope_sendalart_que12' => $ope->ope_sendalart_que12,
'ope_sendalart_que13' => $ope->ope_sendalart_que13,
'ope_auth1' => $ope->ope_auth1,
'ope_auth2' => $ope->ope_auth2,
'ope_auth3' => $ope->ope_auth3,
'ope_auth4' => $ope->ope_auth4,
'ope_quit_flag' => $ope->ope_quit_flag,
'ope_quitday' => $ope->ope_quitday,
]);
}
/**
* オペレータ一覧のエクスポート
*/
public function export(Request $request)
{
$filename = 'ope_export_' . date('Ymd_His') . '.csv';
$columns = [
'ope_id', 'ope_belong', 'login_id', 'ope_name', 'ope_pass', 'ope_type', 'ope_mail', 'ope_phone',
'ope_sendalart_que1', 'ope_sendalart_que2', 'ope_sendalart_que3', 'ope_sendalart_que4', 'ope_sendalart_que5',
'ope_sendalart_que6', 'ope_sendalart_que7', 'ope_sendalart_que8', 'ope_sendalart_que9', 'ope_sendalart_que10',
'ope_sendalart_que11', 'ope_sendalart_que12', 'ope_sendalart_que13',
'ope_auth1', 'ope_auth2', 'ope_auth3', 'ope_auth4',
'ope_quit_flag', 'ope_quitday', 'created_at', 'updated_at'
];
$ids = $request->input('pk', []);
if (!empty($ids)) {
$list = \App\Models\Ope::whereIn('ope_id', $ids)->select($columns)->get();
} else {
$list = \App\Models\Ope::select($columns)->get();
}
$callback = function() use ($list, $columns) {
$file = fopen('php://output', 'w');
// ヘッダー
fputcsv($file, $columns);
foreach ($list as $row) {
$data = [];
foreach ($columns as $col) {
$data[] = $row->$col;
}
fputcsv($file, $data);
}
fclose($file);
};
return response()->stream($callback, 200, [
"Content-Type" => "text/csv",
"Content-Disposition" => "attachment; filename={$filename}",
]);
}
/**
* オペレータの削除
*/
public function delete(Request $request)
{
// チェックされたIDの配列を受け取る想定
$ids = $request->input('pk', []);
if (!empty($ids)) {
\App\Models\Ope::whereIn('ope_id', $ids)->delete();
return redirect()->route('opes')->with('success', '削除しました');
}
return redirect()->route('opes')->with('error', '削除対象が選択されていません');
}
/**
* オペレータの追加
*/
public function add(Request $request)
{
if ($request->isMethod('post')) {
$validated = $request->validate([
'ope_name' => 'required|string|max:255',
'login_id' => 'required|string|max:255|unique:ope,login_id',
'password' => 'required|string|min:6|confirmed',
'ope_type' => 'required',
'ope_mail' => 'required|email',
]);
$ope = new \App\Models\Ope();
$ope->ope_name = $request->ope_name;
$ope->login_id = $request->login_id;
$ope->ope_pass = bcrypt($request->password);
$ope->ope_type = $request->ope_type;
$ope->ope_mail = $request->ope_mail;
$ope->ope_phone = $request->ope_phone;
for ($i = 1; $i <= 13; $i++) {
$field = "ope_sendalart_que{$i}";
$ope->$field = $request->$field ?? 0;
}
for ($i = 1; $i <= 4; $i++) {
$field = "ope_auth{$i}";
$ope->$field = $request->$field ?? '';
}
$ope->ope_quit_flag = $request->ope_quit_flag ?? 0;
$ope->ope_quitday = $request->ope_quitday ?? null;
$ope->save();
return redirect()->route('opes')->with('success', '登録しました');
}
return view('admin.opes.add');
}
}

View File

@ -1,308 +0,0 @@
<?php
declare(strict_types=1);
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use App\Http\Requests\ParkRequest;
use App\Models\City;
use App\Services\ParkService;
use Illuminate\Http\Request;
use Symfony\Component\HttpFoundation\StreamedResponse;
class ParkController extends Controller
{
public function __construct(
private readonly ParkService $parkService
) {
}
/**
* 一覧
*/
public function index(ParkRequest $request)
{
$filters = $request->filters();
$parks = $this->parkService->paginate($filters, 20);
$cities = City::orderBy('city_id')->get();
$sort = $filters['sort'] ?? 'p.park_id';
$sort_type = $filters['sort_type'] ?? 'asc';
return view('admin.parks.index', compact(
'parks',
'cities',
'sort',
'sort_type'
));
}
/**
* 新規(画面)
*/
public function create()
{
$cities = City::orderBy('city_id')->get();
return view('admin.parks.create', compact('cities'));
}
/**
* 新規(登録)
*/
public function store(ParkRequest $request)
{
$operatorId = (int) (auth()->user()->ope_id ?? 1);
$payload = $request->payload();
// 駐輪場五十音を設定
$payload['park_syllabary'] = $this->toSyllabaryGroup(
$payload['park_ruby'] ?? null
);
// 駐輪場五十音を設定してから Service に渡す
$this->parkService->create(
$payload,
$operatorId
);
return redirect()
->route('parks.index')
->with('success', __('新規登録に完了しました。'));
}
/**
* 編集(画面)
*/
public function edit(int $id)
{
$record = $this->parkService->findOrFail($id);
$cities = City::orderBy('city_id')->get();
return view('admin.parks.edit', compact(
'record',
'cities'
));
}
/**
* 編集(更新)
*/
public function update(ParkRequest $request, int $id)
{
$park = $this->parkService->findOrFail($id);
$operatorId = (int) (auth()->user()->ope_id ?? 1);
$payload = $request->payload();
// 駐輪場五十音を設定
$payload['park_syllabary'] = $this->toSyllabaryGroup(
$payload['park_ruby'] ?? null);
// 駐輪場五十音を設定してから Service に渡す
$this->parkService->update(
$park, $payload, $operatorId);
$this->parkService->update(
$park,
$request->payload(),
$operatorId
);
return redirect()
->route('parks.index')
->with('success', __('更新に成功しました。'));
}
/**
* 削除(複数)
*/
public function destroy(Request $request)
{
$ids = (array) $request->input('pk', []);
if (empty($ids)) {
return redirect()
->route('parks.index')
->with('error', __('削除するデータを選択してください。'));
}
$ok = $this->parkService->deleteByIds($ids);
return redirect()
->route('parks.index')
->with(
$ok ? 'success' : 'error',
$ok ? __('削除が完了しました。') : __('削除に失敗しました。')
);
}
/**
* CSV 出力
*/
public function export(): StreamedResponse
{
$columns = [
'駐輪場ID','市区','駐輪場名','駐輪場ふりがな','駐輪場五十音','住所',
'閉設フラグ','閉設日','残警告チェックフラグ','印字数','最新キープアライブ',
'更新オペレータID','更新期間開始日','更新期間開始時',
'更新期間終了日','更新期間終了時','駐輪開始期間',
'リマインダー種別','リマインダー時間','契約後即利用許可',
'項目表示設定:性別','項目表示設定:生年月日','項目表示設定:防犯登録番号',
'二点間距離','駐車場座標(緯度)','駐車場座標(経度)','電話番号',
'駐輪場契約形態(定期)','駐輪場契約形態(一時利用)',
'車種制限','手続方法','支払方法',
'利用可能時間制限フラグ','利用可能時間(開始)','利用可能時間(終了)',
'常駐管理人フラグ','常駐時間(開始)','常駐時間(終了)',
'屋根フラグ','シール発行機フラグ','駐輪場利用方法',
'定期更新期間','空き待ち予約','特記事項','学生証確認種別',
'減免案内表示フラグ','減免対象年齢','減免案内表示開始月数','年跨ぎ',
];
$rows = $this->parkService->exportRows();
return response()->streamDownload(function () use ($rows, $columns) {
$fp = fopen('php://output', 'w');
fwrite($fp, "\xEF\xBB\xBF");
fputcsv($fp, $columns);
foreach ($rows as $r) {
fputcsv($fp, [
$r->park_id,
$r->city_id,
$r->park_name,
$r->park_ruby,
$r->park_syllabary,
$r->park_adrs,
$r->park_close_flag,
$r->park_day,
$r->alert_flag,
$r->print_number,
$r->keep_alive,
$r->operator_id,
$r->update_grace_period_start_date,
$r->update_grace_period_start_time,
$r->update_grace_period_end_date,
$r->update_grace_period_end_time,
$r->parking_start_grace_period,
$r->reminder_type,
$r->reminder_time,
$r->immediate_use_permit,
$r->gender_display_flag,
$r->bd_display_flag,
$r->securityreg_display_flag,
$r->distance_twopoints,
$r->park_latitude,
$r->park_longitude,
$r->park_tel,
$r->park_fixed_contract,
$r->park_temporary_contract,
$r->park_restriction,
$r->park_procedure,
$r->park_payment,
$r->park_available_time_flag,
$r->park_available_time_from,
$r->park_available_time_to,
$r->park_manager_flag,
$r->park_manager_resident_from,
$r->park_manager_resident_to,
$r->park_roof_flag,
$r->park_issuing_machine_flag,
$r->park_using_method,
$r->park_contract_renewal_term,
$r->park_reservation,
$r->park_reference,
$r->student_id_confirm_type,
$r->reduction_guide_display_flag,
$r->reduction_age,
$r->reduction_guide_display_start_month,
$r->overyear_flag,
]);
}
fclose($fp);
}, '駐輪場マスタ.csv', [
'Content-Type' => 'text/csv; charset=UTF-8',
]);
}
/**
* 重複チェックAJAX
*/
public function checkDuplicate(Request $request)
{
$parkName = (string) $request->input('park_name', '');
if ($parkName === '') {
return response()->json(['duplicate' => false]);
}
$dup = $this->parkService->checkDuplicateByName($parkName);
if (!$dup) {
return response()->json(['duplicate' => false]);
}
return response()->json([
'duplicate' => true,
'park_id' => $dup->park_id,
'park_name' => $dup->park_name,
]);
}
private function toSyllabaryGroup(?string $ruby): ?string
{
$ruby = trim((string) $ruby);
if ($ruby === '') {
return null;
}
// 先取第1文字UTF-8
$first = mb_substr($ruby, 0, 1, 'UTF-8');
// 小书き/濁点などを正規化(必要最低限)
$map = [
'が'=>'か','ぎ'=>'き','ぐ'=>'く','げ'=>'け','ご'=>'こ',
'ざ'=>'さ','じ'=>'し','ず'=>'す','ぜ'=>'せ','ぞ'=>'そ',
'だ'=>'た','ぢ'=>'ち','づ'=>'つ','で'=>'て','ど'=>'と',
'ば'=>'は','び'=>'ひ','ぶ'=>'ふ','べ'=>'へ','ぼ'=>'ほ',
'ぱ'=>'は','ぴ'=>'ひ','ぷ'=>'ふ','ぺ'=>'へ','ぽ'=>'ほ',
'ぁ'=>'あ','ぃ'=>'い','ぅ'=>'う','ぇ'=>'え','ぉ'=>'お',
'ゃ'=>'や','ゅ'=>'ゆ','ょ'=>'よ','っ'=>'つ',
'ゎ'=>'わ',
];
$first = $map[$first] ?? $first;
// グループ判定(先頭文字で分類)
$groups = [
'あ' => ['あ','い','う','え','お'],
'か' => ['か','き','く','け','こ'],
'さ' => ['さ','し','す','せ','そ'],
'た' => ['た','ち','つ','て','と'],
'な' => ['な','に','ぬ','ね','の'],
'は' => ['は','ひ','ふ','へ','ほ'],
'ま' => ['ま','み','む','め','も'],
'や' => ['や','ゆ','よ'],
'ら' => ['ら','り','る','れ','ろ'],
'わ' => ['わ','を','ん'],
];
foreach ($groups as $head => $chars) {
if (in_array($first, $chars, true)) {
return $head;
}
}
// ひらがな以外(空/英数など)は null
return null;
}
}

View File

@ -1,204 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
use App\Models\Park;
use App\Models\ParkingRegulation;
class ParkingRegulationsController extends Controller
{
/**
* 一覧表示
*/
public function list(Request $request)
{
// park_id 検証
$request->validate([
'park_id' => 'required|integer|exists:park,park_id',
], [
'park_id.required' => '駐輪場IDは必須です。',
'park_id.integer' => '駐輪場IDは整数である必要があります。',
'park_id.exists' => '指定された駐輪場が見つかりません。',
]);
$parkId = (int) $request->input('park_id');
// 駐輪場情報取得
$park = Park::where('park_id', $parkId)->firstOrFail();
// parking_regulations を取得し、psection / ptype 名を JOIN して表示
$data = DB::table('parking_regulations')
->leftJoin('psection', 'parking_regulations.psection_id', '=', 'psection.psection_id')
->leftJoin('ptype', 'parking_regulations.ptype_id', '=', 'ptype.ptype_id')
->where('parking_regulations.park_id', $parkId)
->select(
'parking_regulations.parking_regulations_seq',
'parking_regulations.park_id',
'parking_regulations.psection_id',
'parking_regulations.ptype_id',
'parking_regulations.regulations_text',
'psection.psection_subject as psection_subject',
'ptype.ptype_subject as ptype_subject'
)
->orderBy('parking_regulations.psection_id')
->orderBy('parking_regulations.ptype_id')
->paginate(50);
return view('admin.parking_regulations.list', [
'park' => $park,
'parkId' => $parkId,
'regulations' => $data,
]);
}
/**
* 新規作成フォーム表示/登録
*/
public function add(Request $request)
{
$parkId = $request->input('park_id');
// 駐輪場存在確認
if (!$parkId) {
return redirect()->back()->withErrors(['park_id' => '駐輪場IDが指定されていません。']);
}
$park = Park::where('park_id', $parkId)->firstOrFail();
// マスタの選択肢取得
$psections = DB::table('psection')->orderBy('psection_id')->get();
$ptypes = DB::table('ptype')->orderBy('ptype_id')->get();
if ($request->isMethod('post')) {
// 登録処理
$validated = $request->validate([
'park_id' => 'required|integer|exists:park,park_id',
'psection_id' => 'required|integer',
'ptype_id' => 'required|integer',
'regulations_text' => 'nullable|string',
], [
'park_id.required' => '駐輪場IDは必須です。',
'psection_id.required' => '車種区分は必須です。',
'ptype_id.required' => '駐輪分類は必須です。',
]);
// 重複チェック
$exists = DB::table('parking_regulations')
->where('park_id', $validated['park_id'])
->where('psection_id', $validated['psection_id'])
->where('ptype_id', $validated['ptype_id'])
->exists();
if ($exists) {
return back()->withErrors(['duplicate' => '同じ組み合わせの規定が既に存在します。'])->withInput();
}
ParkingRegulation::create([
'park_id' => $validated['park_id'],
'psection_id' => $validated['psection_id'],
'ptype_id' => $validated['ptype_id'],
'regulations_text' => $validated['regulations_text'] ?? null,
]);
return redirect()->route('parking_regulations_list', ['park_id' => $validated['park_id']])->with('success', '登録しました。');
}
return view('admin.parking_regulations.add', [
'park' => $park,
'parkId' => $parkId,
'psections' => $psections,
'ptypes' => $ptypes,
]);
}
/**
* 編集フォーム表示
*/
public function edit($seq, Request $request)
{
$record = DB::table('parking_regulations')->where('parking_regulations_seq', $seq)->first();
if (!$record) {
return redirect()->back()->withErrors(['not_found' => '指定の規定が見つかりません。']);
}
$park = Park::where('park_id', $record->park_id)->firstOrFail();
$psections = DB::table('psection')->orderBy('psection_id')->get();
$ptypes = DB::table('ptype')->orderBy('ptype_id')->get();
return view('admin.parking_regulations.edit', [
'park' => $park,
'record' => $record,
'psections' => $psections,
'ptypes' => $ptypes,
]);
}
/**
* 更新処理
*/
public function update($seq, Request $request)
{
$validated = $request->validate([
'psection_id' => 'required|integer',
'ptype_id' => 'required|integer',
'regulations_text' => 'nullable|string',
], [
'psection_id.required' => '車種区分は必須です。',
'ptype_id.required' => '駐輪分類は必須です。',
]);
// 対象レコード取得
$record = DB::table('parking_regulations')->where('parking_regulations_seq', $seq)->first();
if (!$record) {
return back()->withErrors(['not_found' => '指定の規定が見つかりません。']);
}
// 重複チェック(自分自身は除外)
$exists = DB::table('parking_regulations')
->where('park_id', $record->park_id)
->where('psection_id', $validated['psection_id'])
->where('ptype_id', $validated['ptype_id'])
->where('parking_regulations_seq', '<>', $seq)
->exists();
if ($exists) {
return back()->withErrors(['duplicate' => '同じ組み合わせの規定が既に存在します。'])->withInput();
}
DB::table('parking_regulations')->where('parking_regulations_seq', $seq)->update([
'psection_id' => $validated['psection_id'],
'ptype_id' => $validated['ptype_id'],
'regulations_text' => $validated['regulations_text'] ?? null,
'updated_at' => now(),
]);
return redirect()->route('parking_regulations_list', ['park_id' => $record->park_id])->with('success', '更新しました。');
}
/**
* 削除処理
*/
public function delete(Request $request)
{
$validated = $request->validate([
'parking_regulations_seq' => 'required|integer',
], [
'parking_regulations_seq.required' => '削除対象が指定されていません。',
]);
$seq = (int) $validated['parking_regulations_seq'];
$record = DB::table('parking_regulations')->where('parking_regulations_seq', $seq)->first();
if (!$record) {
return back()->withErrors(['not_found' => '指定の規定が見つかりません。']);
}
DB::table('parking_regulations')->where('parking_regulations_seq', $seq)->delete();
return redirect()->route('parking_regulations_list', ['park_id' => $record->park_id])->with('success', '削除しました。');
}
}

View File

@ -1,147 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\Payment;
use Illuminate\Support\Facades\Auth;
class PaymentController extends Controller
{
/**
* 決済情報マスタ一覧表示
*/
public function list(Request $request)
{
$sort = $request->input('sort', 'payment_id');
$sort_type = $request->input('sort_type', 'asc');
$query = Payment::query();
$query->orderBy($sort, $sort_type);
$payments = $query->paginate(20);
return view('admin.payments.list', compact('payments', 'sort', 'sort_type'));
}
/**
* 新規登録画面表示&登録処理
*/
public function add(Request $request)
{
if ($request->isMethod('post')) {
// バリデーション
$request->validate([
'payment_companyname' => 'required|string|max:255',
'payment_add' => 'nullable|string|max:255',
'payment_detail' => 'nullable|string|max:255',
'payment_space1' => 'nullable|string|max:255',
'payment_space2' => 'nullable|string|max:255',
'payment_title' => 'nullable|string|max:255',
'payment_guide' => 'nullable|string|max:255',
'payment_inquiryname' => 'nullable|string|max:255',
'payment_inquirytel' => 'nullable|string|max:255',
'payment_time' => 'nullable|string|max:255',
]);
// 登録データ作成
$data = $request->all();
$data['operator_id'] = Auth::user()->ope_id;
Payment::create($data);
return redirect()->route('payments')->with('success', '登録しました。');
}
return view('admin.payments.add', [
'record' => null,
'mode' => 'add'
]);
}
/**
* 編集画面表示&更新処理
*/
public function edit(Request $request, $payment_id)
{
$payment = Payment::findOrFail($payment_id);
if ($request->isMethod('post')) {
// バリデーション
$request->validate([
'payment_companyname' => 'required|string|max:255',
// 其他字段...
]);
$data = $request->all();
$data['operator_id'] = Auth::user()->ope_id;
$payment->update($data);
return redirect()->route('payments')->with('success', '更新しました。');
}
return view('admin.payments.edit', [
'payment' => $payment,
'isEdit' => true,
'isInfo' => false
]);
}
/**
* 詳細画面表示
*/
public function info($payment_id)
{
$payment = Payment::findOrFail($payment_id);
return view('admin.payments.info', [
'record' => $payment,
'mode' => 'info'
]);
}
/**
* 削除処理
*/
public function delete(Request $request)
{
$pk = $request->input('pk', []);
// 配列に統一
$ids = is_array($pk) ? $pk : [$pk];
// 数字チェック
$ids = array_values(array_filter($ids, fn($v) => preg_match('/^\d+$/', (string) $v)));
if (empty($ids)) {
return redirect()->route('payments')->with('error', '削除対象が選択されていません。');
}
// 削除
Payment::whereIn('payment_id', $ids)->delete();
return redirect()->route('payments')->with('success', '削除しました。');
}
/**
* インポート処理
*/
public function import(Request $request)
{
// TODO: CSVなどのインポート処理を実装
return redirect()->route('payments')->with('success', 'インポート処理は未実装です');
}
/**
* エクスポート処理
*/
public function export()
{
// TODO: エクスポート処理を実装
return redirect()->route('payments')->with('success', 'エクスポート処理は未実装です');
}
}

View File

@ -1,391 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
class PeriodicalController extends Controller
{
// 画面
public function list(Request $request)
{
$parks = DB::table('regular_contract')
->join('park', 'regular_contract.park_id', '=', 'park.park_id')
->select('park.park_id', 'park.park_name')
->distinct()
->orderBy('park.park_name')
->get();
$selectedParkId = $request->input('park_id', '');
return view('admin.periodical.list', compact('parks', 'selectedParkId'));
}
// 画面上の3つの統計用データ
public function listData(Request $request)
{
$parkId = $request->input('park_id');
if (empty($parkId)) {
return response()->json([
'contract_summary' => [],
'waiting_summary' => [],
'renewal_summary' => [],
'debug_info' => ['message' => 'No park_id provided']
]);
}
// デバッグ情報を収集
$debugInfo = [
'park_id' => $parkId,
'has_regular_type_id' => false,
'contract_count' => 0,
'waiting_count' => 0,
'renewal_count' => 0
];
// 契約状況を車種別に集計
$contractData = [
['psection_id' => 1, 'type' => '自転車'],
['psection_id' => 2, 'type' => '原付'],
['psection_id' => 0, 'type' => 'その他'] // その他は psection_id が1,2以外
];
$contractSummary = [];
$totalGeneral = 0;
$totalStudent = 0;
$totalUseTotal = 0;
$totalVacancy = 0;
$totalAll = 0;
foreach ($contractData as $vehicleType) {
$query = DB::table('regular_contract as rc')
->leftJoin('psection as ps', 'rc.psection_id', '=', 'ps.psection_id')
->selectRaw('SUM(CASE WHEN rc.user_categoryid = 1 THEN 1 ELSE 0 END) AS general_count')
->selectRaw('SUM(CASE WHEN rc.user_categoryid = 2 THEN 1 ELSE 0 END) AS student_count')
->selectRaw('SUM(CASE WHEN rc.contract_cancel_flag = 0 THEN 1 ELSE 0 END) AS use_total')
->selectRaw('SUM(CASE WHEN rc.contract_cancel_flag = 1 THEN 1 ELSE 0 END) AS vacancy')
->selectRaw('COUNT(*) AS total')
->where('rc.park_id', $parkId);
if ($vehicleType['psection_id'] === 0) {
// その他psection_id が 1,2 以外
$query->whereNotIn('rc.psection_id', [1, 2]);
} else {
// 自転車または原付
$query->where('rc.psection_id', $vehicleType['psection_id']);
}
$result = $query->first();
$generalCount = (int) ($result->general_count ?? 0);
$studentCount = (int) ($result->student_count ?? 0);
$useTotal = (int) ($result->use_total ?? 0);
$vacancy = (int) ($result->vacancy ?? 0);
$total = (int) ($result->total ?? 0);
// 最古の予約日と契約日を取得
$minReserveQuery = DB::table('regular_contract as rc2')
->join('reserve as r2', 'rc2.contract_id', '=', 'r2.contract_id')
->where('rc2.park_id', $parkId)
->where('r2.valid_flag', 1)
->where(function ($q) {
$q->whereNull('r2.reserve_cancel_flag')->orWhere('r2.reserve_cancel_flag', 0);
});
if ($vehicleType['psection_id'] === 0) {
$minReserveQuery->whereNotIn('rc2.psection_id', [1, 2]);
} else {
$minReserveQuery->where('rc2.psection_id', $vehicleType['psection_id']);
}
$minReserveDate = null;
$minContractDate = null;
$reserveResult = $minReserveQuery->orderBy('r2.reserve_date', 'asc')->first(['r2.reserve_date']);
if ($reserveResult) {
$minReserveDate = date('Y/m/d', strtotime($reserveResult->reserve_date));
}
$contractResult = $minReserveQuery->orderBy('r2.reserve_end', 'asc')->first(['r2.reserve_end']);
if ($contractResult) {
$minContractDate = date('Y/m/d', strtotime($contractResult->reserve_end));
}
$contractSummary[] = [
'type' => $vehicleType['type'],
'general_count' => $generalCount,
'general_extra' => '',
'student_count' => $studentCount,
'student_extra' => '',
'use_total' => $useTotal,
'vacancy' => $vacancy,
'total' => $total,
'last' => ['reserve_date' => $minReserveDate, 'contract_date' => $minContractDate],
];
$totalGeneral += $generalCount;
$totalStudent += $studentCount;
$totalUseTotal += $useTotal;
$totalVacancy += $vacancy;
$totalAll += $total;
}
// 合計行を追加
$contractSummary[] = [
'type' => '計',
'general_count' => $totalGeneral,
'general_extra' => '',
'student_count' => $totalStudent,
'student_extra' => '',
'use_total' => $totalUseTotal,
'vacancy' => $totalVacancy,
'total' => $totalAll,
'last' => ['reserve_date' => null, 'contract_date' => null],
];
$debugInfo['contract_count'] = count($contractSummary);
// 空き待ち状況を車種別に集計
$waitingData = [
['psection_id' => 1, 'type' => '自転車'],
['psection_id' => 2, 'type' => '原付'],
['psection_id' => 0, 'type' => 'その他'] // その他は psection_id が1,2以外
];
$waitingSummary = [];
$totalGeneral = 0;
$totalStudent = 0;
$totalAll = 0;
foreach ($waitingData as $vehicleType) {
$query = DB::table('regular_contract as rc')
->join('reserve as r', 'rc.contract_id', '=', 'r.contract_id')
->selectRaw('SUM(CASE WHEN rc.user_categoryid = 1 THEN 1 ELSE 0 END) AS general_count')
->selectRaw('DATE_FORMAT(MIN(CASE WHEN rc.user_categoryid = 1 THEN r.reserve_date END), "%Y/%m/%d") AS general_first')
->selectRaw('SUM(CASE WHEN rc.user_categoryid = 2 THEN 1 ELSE 0 END) AS student_count')
->selectRaw('DATE_FORMAT(MIN(CASE WHEN rc.user_categoryid = 2 THEN r.reserve_date END), "%Y/%m/%d") AS student_first')
->selectRaw('COUNT(*) AS total')
->where('rc.park_id', $parkId)
->where('r.valid_flag', 1)
->where(function ($q) {
$q->whereNull('r.reserve_cancel_flag')->orWhere('r.reserve_cancel_flag', 0);
});
if ($vehicleType['psection_id'] === 0) {
// その他psection_id が 1,2 以外
$query->whereNotIn('rc.psection_id', [1, 2]);
} else {
// 自転車または原付
$query->where('rc.psection_id', $vehicleType['psection_id']);
}
$result = $query->first();
$generalCount = (int) ($result->general_count ?? 0);
$studentCount = (int) ($result->student_count ?? 0);
$typeTotal = $generalCount + $studentCount;
$waitingSummary[] = [
'type' => $vehicleType['type'],
'general_count' => $generalCount,
'general_first' => $result->general_first ?? null,
'student_count' => $studentCount,
'student_first' => $result->student_first ?? null,
'total' => $typeTotal,
];
$totalGeneral += $generalCount;
$totalStudent += $studentCount;
$totalAll += $typeTotal;
}
// 合計行を追加
$waitingSummary[] = [
'type' => '計',
'general_count' => $totalGeneral,
'general_first' => null,
'student_count' => $totalStudent,
'student_first' => null,
'total' => $totalAll,
];
$debugInfo['waiting_count'] = count($waitingSummary);
// まず期間タイプフィールドが存在するかチェック
$hasRegularTypeId = false;
try {
$columns = DB::select('DESCRIBE regular_contract');
foreach ($columns as $column) {
if ($column->Field === 'regular_type_id') {
$hasRegularTypeId = true;
break;
}
}
} catch (\Exception $e) {
// エラーの場合はデフォルトで false
}
$debugInfo['has_regular_type_id'] = $hasRegularTypeId;
$renewalQuery = DB::table('regular_contract as rc')
->join('reserve as r', 'rc.contract_id', '=', 'r.contract_id')
->where('rc.park_id', $parkId)
->whereNotNull('r.reserve_start')
->where('r.valid_flag', 1)
->selectRaw("DATE_FORMAT(r.reserve_start, '%Y-%m') AS month");
if ($hasRegularTypeId) {
$renewalQuery->selectRaw('COALESCE(rc.regular_type_id, 1) AS period_type');
} else {
$renewalQuery->selectRaw('1 AS period_type'); // デフォルト値
}
$renewalSummary = $renewalQuery
->selectRaw('SUM(CASE WHEN rc.psection_id = 1 AND rc.user_categoryid = 1 THEN 1 ELSE 0 END) AS bicycle_general')
->selectRaw('SUM(CASE WHEN rc.psection_id = 1 AND rc.user_categoryid = 2 THEN 1 ELSE 0 END) AS bicycle_student')
->selectRaw('SUM(CASE WHEN rc.psection_id = 2 AND rc.user_categoryid = 1 THEN 1 ELSE 0 END) AS moped_general')
->selectRaw('SUM(CASE WHEN rc.psection_id = 2 AND rc.user_categoryid = 2 THEN 1 ELSE 0 END) AS moped_student')
->selectRaw('SUM(CASE WHEN rc.psection_id NOT IN (1,2) AND rc.user_categoryid = 1 THEN 1 ELSE 0 END) AS other_general')
->selectRaw('SUM(CASE WHEN rc.psection_id NOT IN (1,2) AND rc.user_categoryid = 2 THEN 1 ELSE 0 END) AS other_student')
->groupBy(['month', 'period_type'])
->orderBy('month')
->orderBy('period_type')
->limit(50)
->get();
// 月別期間別データを構造化
$structuredData = [];
$periodLabels = [
1 => '1ヶ月',
2 => '2ヶ月',
3 => '3ヶ月',
6 => '6ヶ月',
12 => '12ヶ月'
];
// regular_type_id がない場合のデフォルト処理
if (!$hasRegularTypeId) {
// フィールドがない場合は、月ごとに「計」行のみ表示
$monthlyTotals = [];
foreach ($renewalSummary as $row) {
$monthKey = $row->month;
if (!isset($monthlyTotals[$monthKey])) {
$monthlyTotals[$monthKey] = [
'bicycle_general' => 0,
'bicycle_student' => 0,
'moped_general' => 0,
'moped_student' => 0,
'other_general' => 0,
'other_student' => 0,
];
}
$monthlyTotals[$monthKey]['bicycle_general'] += (int) $row->bicycle_general;
$monthlyTotals[$monthKey]['bicycle_student'] += (int) $row->bicycle_student;
$monthlyTotals[$monthKey]['moped_general'] += (int) $row->moped_general;
$monthlyTotals[$monthKey]['moped_student'] += (int) $row->moped_student;
$monthlyTotals[$monthKey]['other_general'] += (int) $row->other_general;
$monthlyTotals[$monthKey]['other_student'] += (int) $row->other_student;
}
foreach ($monthlyTotals as $monthKey => $totals) {
$structuredData[$monthKey] = [
'month' => $monthKey,
'rows' => [[
'label' => '計',
'bicycle_general' => $totals['bicycle_general'],
'bicycle_student' => $totals['bicycle_student'],
'bicycle_total' => $totals['bicycle_general'] + $totals['bicycle_student'],
'moped_general' => $totals['moped_general'],
'moped_student' => $totals['moped_student'],
'moped_total' => $totals['moped_general'] + $totals['moped_student'],
'other_general' => $totals['other_general'],
'other_student' => $totals['other_student'],
'other_total' => $totals['other_general'] + $totals['other_student'],
]]
];
}
} else {
// regular_type_id がある場合の通常処理
foreach ($renewalSummary as $row) {
$monthKey = $row->month;
$periodType = (int)$row->period_type;
$periodLabel = $periodLabels[$periodType] ?? "{$periodType}ヶ月";
if (!isset($structuredData[$monthKey])) {
$structuredData[$monthKey] = [
'month' => $monthKey,
'rows' => [],
'totals' => [
'bicycle_general' => 0,
'bicycle_student' => 0,
'moped_general' => 0,
'moped_student' => 0,
'other_general' => 0,
'other_student' => 0,
]
];
}
$bicycle_total = (int) $row->bicycle_general + (int) $row->bicycle_student;
$moped_total = (int) $row->moped_general + (int) $row->moped_student;
$other_total = (int) $row->other_general + (int) $row->other_student;
// 期間別データを追加
$structuredData[$monthKey]['rows'][] = [
'label' => $periodLabel,
'bicycle_general' => (int) $row->bicycle_general,
'bicycle_student' => (int) $row->bicycle_student,
'bicycle_total' => $bicycle_total,
'moped_general' => (int) $row->moped_general,
'moped_student' => (int) $row->moped_student,
'moped_total' => $moped_total,
'other_general' => (int) $row->other_general,
'other_student' => (int) $row->other_student,
'other_total' => $other_total,
];
// 月別合計を計算
$structuredData[$monthKey]['totals']['bicycle_general'] += (int) $row->bicycle_general;
$structuredData[$monthKey]['totals']['bicycle_student'] += (int) $row->bicycle_student;
$structuredData[$monthKey]['totals']['moped_general'] += (int) $row->moped_general;
$structuredData[$monthKey]['totals']['moped_student'] += (int) $row->moped_student;
$structuredData[$monthKey]['totals']['other_general'] += (int) $row->other_general;
$structuredData[$monthKey]['totals']['other_student'] += (int) $row->other_student;
}
// 各月に計行を追加
foreach ($structuredData as &$monthData) {
$totals = $monthData['totals'];
$monthData['rows'][] = [
'label' => '計',
'bicycle_general' => $totals['bicycle_general'],
'bicycle_student' => $totals['bicycle_student'],
'bicycle_total' => $totals['bicycle_general'] + $totals['bicycle_student'],
'moped_general' => $totals['moped_general'],
'moped_student' => $totals['moped_student'],
'moped_total' => $totals['moped_general'] + $totals['moped_student'],
'other_general' => $totals['other_general'],
'other_student' => $totals['other_student'],
'other_total' => $totals['other_general'] + $totals['other_student'],
];
}
}
$renewalSummary = array_values($structuredData);
$debugInfo['renewal_count'] = count($renewalSummary);
return response()->json([
'contract_summary' => $contractSummary,
'waiting_summary' => $waitingSummary,
'renewal_summary' => $renewalSummary,
'debug_info' => $debugInfo
]);
}
}
?>

View File

@ -1,167 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\User;
use App\Models\Usertype;
class PersonalController extends Controller
{
/**
* 本人確認手動処理 一覧画面
*/
public function list(Request $request)
{
$query = User::query()
// 本人確認手動処理:未チェック(1) または 手動NG(4) または 自動チェックNG(5)
->whereIn('user_idcard_chk_flag', [1, 4, 5])
// 本人確認書類アップロード済み
->where(function($q) {
$q->whereNotNull('photo_filename1')
->orWhereNotNull('photo_filename2');
})
// usertypeテーブルとLEFT JOINで分類情報を取得
->leftJoin('usertype', 'user.user_categoryid', '=', 'usertype.user_categoryid')
->select('user.*',
'usertype.usertype_subject1',
'usertype.usertype_subject2',
'usertype.usertype_subject3');
if ($request->filled('user_id')) {
$query->where('user.user_id', $request->input('user_id'));
}
// データベースの物理順序(主キー昇順)で表示
$users = $query->paginate(20);
return view('admin.personal.list', [
'users' => $users,
'request' => $request,
]);
}
/**
* 本人確認手動処理 編集画面
*/
public function edit(Request $request, $seq)
{
\Log::info('=== Personal Edit Method START ===', ['seq' => $seq, 'method' => $request->method()]);
// 利用者情報取得user_seqで検索
$user = User::where('user_seq', $seq)->firstOrFail();
\Log::info('User found:', [
'user_seq' => $user->user_seq,
'user_id' => $user->user_id,
'current_flag' => $user->user_idcard_chk_flag
]);
// 利用者分類マスタ取得(ラジオボタン用)
$usertypes = Usertype::orderBy('sort_order')->get();
// POST時の処理
if ($request->isMethod('post')) {
\Log::info('=== FULL REQUEST DEBUG ===');
\Log::info('All request data:', $request->all());
\Log::info('=== Personal Edit POST Processing ===');
// 各フィールドの更新
$user->user_categoryid = $request->input('user_categoryid', $user->user_categoryid);
$user->user_regident_zip = $request->input('user_regident_zip', $user->user_regident_zip);
$user->user_regident_pre = $request->input('user_regident_pre', $user->user_regident_pre);
$user->user_regident_city = $request->input('user_regident_city', $user->user_regident_city);
$user->user_regident_add = $request->input('user_regident_add', $user->user_regident_add);
$user->user_relate_zip = $request->input('user_relate_zip', $user->user_relate_zip);
$user->user_relate_pre = $request->input('user_relate_pre', $user->user_relate_pre);
$user->user_relate_city = $request->input('user_relate_city', $user->user_relate_city);
$user->user_relate_add = $request->input('user_relate_add', $user->user_relate_add);
$user->user_remarks = $request->input('user_remarks', $user->user_remarks);
$user->user_idcard = $request->input('user_idcard', $user->user_idcard);
// 本人確認チェック処理(バックアップ値を優先使用)
$checkValue = $request->input('check') ?? $request->input('check_backup');
\Log::info('Check value received:', [
'check' => $request->input('check'),
'check_backup' => $request->input('check_backup'),
'final_value' => $checkValue,
'type' => gettype($checkValue)
]);
if ($checkValue === 'ok') {
$user->user_idcard_chk_flag = 3; // 手動チェックOK
$user->ope_id = auth()->user()->ope_id ?? auth()->id(); // 現在ログイン中の操作者ID
\Log::info('Setting user_idcard_chk_flag to 3 (手動チェックOK)');
\Log::info('Setting ope_id to current user:', ['ope_id' => $user->ope_id]);
} elseif ($checkValue === 'ng') {
$user->user_idcard_chk_flag = 4; // 手動チェックNG
$user->ope_id = auth()->user()->ope_id ?? auth()->id(); // 現在ログイン中の操作者ID
\Log::info('Setting user_idcard_chk_flag to 4 (手動チェックNG)');
\Log::info('Setting ope_id to current user:', ['ope_id' => $user->ope_id]);
} else {
\Log::warning('No valid check value received', [
'checkValue' => $checkValue,
'all_input' => $request->all()
]);
}
\Log::info('Before save:', [
'user_idcard_chk_flag' => $user->user_idcard_chk_flag,
'ope_id' => $user->ope_id,
'isDirty' => $user->isDirty(),
'getDirty' => $user->getDirty()
]);
try {
$result = $user->save();
\Log::info('User saved successfully', [
'result' => $result,
'user_idcard_chk_flag' => $user->user_idcard_chk_flag
]);
// 保存結果の検証
$user->refresh(); // モデルデータをリフレッシュ
$savedUser = User::where('user_seq', $seq)->first();
\Log::info('Verification after save', [
'model_refresh' => $user->user_idcard_chk_flag,
'user_idcard_chk_flag' => $savedUser->user_idcard_chk_flag
]);
// データベース直接確認
$dbUser = \DB::table('user')->where('user_seq', $seq)->first();
\Log::info('DB direct check:', [
'user_idcard_chk_flag' => $dbUser->user_idcard_chk_flag ?? 'NOT_FOUND'
]);
} catch (\Exception $e) {
\Log::error('Save failed', [
'error' => $e->getMessage(),
'file' => $e->getFile(),
'line' => $e->getLine()
]);
return back()->withErrors('保存に失敗しました: ' . $e->getMessage());
}
\Log::info('=== POST Processing END ===');
// 成功メッセージ
$message = 'データを更新しました。';
if ($checkValue === 'ok') {
$message = '本人確認チェックOKで更新しました。';
} elseif ($checkValue === 'ng') {
$message = '本人確認チェックNGで更新しました。';
}
return redirect()->route('personal')->with('success', $message);
}
\Log::info('=== Personal Edit Method END (GET) ===');
return view('admin.personal.edit', [
'user' => $user,
'usertypes' => $usertypes,
]);
}
}

View File

@ -24,152 +24,107 @@ class PplaceController extends Controller
$inputs['list'] = Pplace::search($inputs);
if ($inputs['list']->total() > 0 && $inputs['page'] > $inputs['list']->lastPage()) {
return redirect()->route('pplaces');
return redirect()->route('pplace');
}
return view('admin.pplace.list', $inputs);
return view('admin.Pplace.list', $inputs);
}
/**
* 新規登録(画面/処理)
*/
public function add(Request $request)
{
if ($request->isMethod('get')) {
// 新規時:空のレコードとオペレーターリストを渡す
return view('admin.pplace.add', [
'isEdit' => false,
'record' => new Pplace(),
'operators' => Ope::getList(),
]);
}
$inputs = [
'pplace_number' => $request->input('pplace_number'),
'pplace_remarks' => $request->input('pplace_remarks'),
'operator_id' => $request->input('operator_id'),
];
// POST時バリデーション
$rules = [
$inputs['operators'] = Ope::getList(); //
if ($request->isMethod('POST')) {
$validator = Validator::make($inputs, [
'pplace_number' => 'required|string|max:255',
'pplace_remarks' => 'nullable|string|max:255',
'operator_id' => 'nullable|integer',
];
$messages = [
'pplace_number.required' => '駐輪場所番号は必須です。',
];
]);
$validator = Validator::make($request->all(), $rules, $messages);
if ($validator->fails()) {
return redirect()->back()
->withErrors($validator)
->withInput()
->with(['operators' => Ope::getList()]);
}
// トランザクションで登録処理
DB::transaction(function () use ($request) {
$new = new Pplace();
$new->fill($request->only(['pplace_number', 'pplace_remarks', 'operator_id']));
$new->save();
if (!$validator->fails()) {
DB::transaction(function () use ($inputs) {
$pplace = new Pplace();
$pplace->fill($inputs);
$pplace->save();
});
return redirect()->route('pplaces')->with('success', '登録しました。');
return redirect()->route('pplace')->with('success', '登録成功');
} else {
$inputs['errorMsg'] = $this->__buildErrorMessasges($validator);
}
}
return view('admin.Pplace.add', $inputs);
}
/**
* 編集(画面/処理)
*/
public function edit(Request $request, $id)
public function edit(Request $request, $id, $view = '')
{
// 該当データ取得
$record = Pplace::find($id);
if (!$record) {
abort(404);
}
// オペレーターリスト取得(常に渡す)
$operators = Ope::getList();
if (!$record) abort(404);
if ($request->isMethod('get')) {
// 編集画面表示
return view('admin.pplace.edit', [
'isEdit' => true,
'record' => $record,
'operators' => $operators,
]);
}
$data = $record->toArray();
$data['operators'] = Ope::getList();
// POST時バリデーション
$rules = [
if ($request->isMethod('POST')) {
$inputs = $request->all();
$validator = Validator::make($inputs, [
'pplace_number' => 'required|string|max:255',
'pplace_remarks' => 'nullable|string|max:255',
'operator_id' => 'nullable|integer',
];
$messages = [
'pplace_number.required' => '駐輪場所番号は必須です。',
];
]);
$validator = Validator::make($request->all(), $rules, $messages);
$data = array_merge($data, $inputs);
if ($validator->fails()) {
return redirect()->back()
->withErrors($validator)
->withInput()
->with(['operators' => $operators]);
}
// 更新処理
DB::transaction(function () use ($request, $record) {
$record->fill($request->only(['pplace_number', 'pplace_remarks', 'operator_id']));
if (!$validator->fails()) {
DB::transaction(function () use ($record, $inputs) {
$record->fill($inputs);
$record->save();
});
return redirect()->route('pplaces')->with('success', '更新しました。');
return redirect()->route('pplace')->with('success', '更新成功');
} else {
$data['errorMsg'] = $this->__buildErrorMessasges($validator);
}
}
return view($view ?: 'admin.Pplace.edit', $data);
}
public function info(Request $request, $id)
{
return $this->edit($request, $id, 'admin.Pplace.info');
}
/**
* 削除(単一/複数対応)
*/
public function delete(Request $request)
{
$ids = [];
// 単一削除id
if ($request->filled('id')) {
$ids[] = (int) $request->input('id');
$pk = $request->get('pk');
if ($pk && Pplace::destroy($pk)) {
return redirect()->route('pplace')->with('success', '削除成功');
}
// 複数削除(チェックボックス pk[]
if (is_array($request->input('pk'))) {
$ids = array_merge($ids, $request->input('pk'));
return redirect()->route('pplace')->with('error', '削除失敗');
}
// 重複除去 & 数値変換
$ids = array_values(array_unique(array_map('intval', $ids)));
// 対象未選択
if (empty($ids)) {
return back()->with('error', '削除対象が選択されていません。');
}
// 削除実行
Pplace::whereIn('pplace_id', $ids)->delete();
return redirect()->route('pplaces')->with('success', '削除しました。');
}
public function export()
{
$filename = '駐輪車室マスタ' . now()->format('YmdHis') . '.csv';
$file = fopen($filename, 'w+');
fwrite($file, "\xEF\xBB\xBF"); // BOM追加UTF-8
$columns = ['駐輪車室ID', '番号', '備考', 'オペレータID'];
fputcsv($file, $columns);
$headers = [
"Content-type" => "text/csv;charset=UTF-8",
"Content-Disposition" => "attachment; filename=Pplace.csv",
];
$data = Pplace::all();
$columns = ['ID', '番号', '備考', 'オペレータID'];
$filename = "Pplace.csv";
$file = fopen($filename, 'w+');
fputcsv($file, $columns);
foreach ($data as $item) {
fputcsv($file, [
$item->pplace_id,
@ -180,21 +135,14 @@ class PplaceController extends Controller
}
fclose($file);
$headers = [
"Content-Type" => "text/csv; charset=UTF-8",
"Content-Disposition" => "attachment; filename={$filename}",
];
return response()->download($filename, $filename, $headers)->deleteFileAfterSend(true);
return Response::download($filename, $filename, $headers);
}
public function import(Request $request)
{
$file = $request->file('file');
if (!$file) {
return redirect()->route('pplaces')->with('error', 'CSVファイルを選択してください');
return redirect()->route('pplace')->with('error', 'CSVファイルを選択してください');
}
$data = \App\Utils::csvToArray($file);
@ -213,10 +161,10 @@ class PplaceController extends Controller
]);
}
DB::commit();
return redirect()->route('pplaces')->with('success', 'インポート成功');
return redirect()->route('pplace')->with('success', 'インポート成功');
} catch (\Exception $e) {
DB::rollBack();
return redirect()->route('pplaces')->with('error', "{$record} : " . $e->getMessage());
return redirect()->route('pplace')->with('error', "{$record} : " . $e->getMessage());
}
}

View File

@ -1,377 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Requests\PriceRequest;
use App\Models\Park;
use App\Models\Price;
use App\Models\Pplace;
use App\Models\Psection;
use App\Models\Ptype;
use App\Models\Usertype;
use App\Models\Station;
use App\Models\Utils;
use Illuminate\Support\Facades\DB;
use Illuminate\Http\Request;
use App\Http\Controllers\Controller;
use Illuminate\Support\Facades\Validator;
use Illuminate\Support\Facades\Response;
class PriceController extends Controller
{
public function list(Request $request)
{
$inputs = [
'isExport' => 0,
'sort' => $request->input('sort', ''), // ソート対象カラム
'sort_type' => $request->input('sort_type', ''), // 昇順/降順
'page' => $request->get('page', 1),
];
// Price::search 内で orderBy を反映させる
$inputs['list'] = Price::search($inputs);
if ($inputs['list']->total() > 0 && $inputs['page'] > $inputs['list']->lastPage()) {
return redirect()->route('prices');
}
$dataList = $this->getDataDropList();
$inputs = array_merge($inputs, $dataList);
return view('admin.prices.list', $inputs);
}
public function add(Request $request)
{
if ($request->isMethod('get')) {
return view('admin.prices.add', array_merge(
$this->getDataDropList(),
[
'record' => new Price(),
'isEdit' => false,
]
));
}
$request->merge([
'pplace_id' => mb_convert_kana($request->input('pplace_id'), 'n'),
]);
$validated = $this->validateRequest($request);
$created = false;
\DB::transaction(function () use ($validated, &$created) {
$price = new Price();
$price->fill($validated);
$created = $price->save();
});
return redirect()->route('prices')
->with($created ? 'success' : 'error', $created ? '登録しました。' : '登録に失敗しました。');
}
public function edit(Request $request, $id)
{
$price = Price::getByPk($id);
if (!$price) {
abort(404);
}
if ($request->isMethod('get')) {
return view('admin.prices.edit', array_merge(
$this->getDataDropList(),
[
'record' => $price,
'isEdit' => true,
]
));
}
$request->merge([
'pplace_id' => mb_convert_kana($request->input('pplace_id'), 'n'),
]);
$validated = $this->validateRequest($request, $id);
$updated = false;
\DB::transaction(function () use ($validated, &$updated, $price) {
$price->fill($validated);
$updated = $price->save();
});
return redirect()->route('prices')
->with($updated ? 'success' : 'error', $updated ? '更新しました。' : '更新に失敗しました。');
}
public function delete(Request $request, $id = null)
{
// 一覧画面checkbox で複数削除)
$ids = $request->input('pk');
// 編集画面(単体削除)
if ($id) {
$ids = [$id];
}
// 削除対象が空
if (empty($ids)) {
return redirect()->route('prices')->with('error', '削除対象が選択されていません。');
}
// 削除処理
Price::destroy($ids);
return redirect()->route('prices')->with('success', '削除しました。');
}
public static function deleteByPk($ids)
{
if (!is_array($ids)) {
$ids = [$ids];
}
return self::whereIn('price_parkplaceid', $ids)->delete();
}
public function export()
{
$filename = '駐輪場所、料金マスタ' . now()->format('YmdHis') . '.csv';
$file = fopen($filename, 'w+');
fwrite($file, "\xEF\xBB\xBF"); // BOM追加UTF-8
$columns = [
'駐輪場所ID',
'駐輪場ID',
'商品名',
'期間',
'利用者分類ID',
'駐輪料金(税込)',
'車種区分ID',
'駐輪分類ID',
'駐車車室ID',
];
fputcsv($file, $columns);
$data = Price::all();
foreach ($data as $item) {
fputcsv($file, [
$item->price_parkplaceid, // 駐輪場所ID
$item->park_id, // 駐輪場ID
optional($item->getUserType())->print_name, // 利用者分類名
$item->price_month, // 期間
optional($item->getUserType())->print_name, // 利用者分類ID
$item->price, // 駐輪料金(税込)
optional($item->getPSection())->psection_subject, // 車種区分名
optional($item->getPType())->ptype_subject, // 駐輪分類名
$item->pplace_id, // 駐車車室ID
]);
}
fclose($file);
$headers = [
"Content-Type" => "text/csv; charset=UTF-8",
"Content-Disposition" => "attachment; filename={$filename}",
];
return response()->download($filename, $filename, $headers)->deleteFileAfterSend(true);
}
public function exportFiltered(Request $request)
{
$parkId = $request->input('park_id');
$filename = 'price_' . $parkId . '_' . now()->format('YmdHis') . '.csv';
// 一時ファイル作成
$file = fopen($filename, 'w+');
fwrite($file, "\xEF\xBB\xBF"); // UTF-8 BOM追加
// CSVヘッダ
$columns = [
'駐輪場所ID',
'商品名',
'期間',
'駐輪場ID',
'駐輪場名',
'車種区分ID',
'車種区分',
'駐輪分類ID',
'駐輪分類',
'利用者分類ID',
'利用者分類',
'駐輪車室ID',
'駐輪料金(税込)',
];
fputcsv($file, $columns);
// データ取得選択した駐輪場IDに限定
$data = \App\Models\Price::where('price_parkplaceid', $parkId)->get();
foreach ($data as $item) {
fputcsv($file, [
$item->price_parkplaceid, // 駐輪場所ID
$item->prine_name, // 商品名
$item->price_term ?? $item->price_month, // 期間
$item->park_id, // 駐輪場ID
optional($item->getPark())->park_name, // 駐輪場名
$item->psection_id, // 車種区分ID
optional($item->getPSection())->psection_subject, // 車種区分
$item->price_ptypeid, // 駐輪分類ID
optional($item->getPType())->ptype_subject, // 駐輪分類
$item->user_categoryid, // 利用者分類ID
optional($item->getUserType())->print_name, // 利用者分類
$item->pplace_id, // 駐輪車室ID
$item->price_taxin ?? $item->price, // 駐輪料金(税込)
]);
}
fclose($file);
// ヘッダ設定
$headers = [
"Content-Type" => "text/csv; charset=UTF-8",
"Content-Disposition" => "attachment; filename=\"{$filename}\"",
];
// ダウンロード後にファイル削除
return response()->download($filename, $filename, $headers)->deleteFileAfterSend(true);
}
public function import(Request $request)
{
$file = $request->file('file');
if (empty($file)) {
return redirect()->route('prices')->with('error', __('CSVファイルを選択してください。'));
}
$data = Utils::csvToArray($file);
$type = true;
$msg = '';
$record = 0;
DB::beginTransaction();
try {
$col = 13; // CSV 項目数
foreach ($data as $key => $items) {
$record = $key + 2; // エラー行番号(ヘッダ行を考慮)
// 項目数チェック
if (count($items) != $col) {
$type = false;
$msg = "行:{$record} 列数が一致しません。";
break;
}
// 必須チェック
if (empty($items[0])) { $type = false; $msg = "行:{$record} 駐車場所IDが未設定です。"; break; }
if (empty($items[1])) { $type = false; $msg = "行:{$record} 商品名が未設定です。"; break; }
if (empty($items[2])) { $type = false; $msg = "行:{$record} 期間が未設定です。"; break; }
if (empty($items[3])) { $type = false; $msg = "行:{$record} 駐輪場IDが未設定です。"; break; }
if (empty($items[5])) { $type = false; $msg = "行:{$record} 車種区分IDが未設定です。"; break; }
if (empty($items[7])) { $type = false; $msg = "行:{$record} 駐輪分類IDが未設定です。"; break; }
if (empty($items[9])) { $type = false; $msg = "行:{$record} 利用者分類IDが未設定です。"; break; }
if (empty($items[11])) { $type = false; $msg = "行:{$record} 駐車車室IDが未設定です。"; break; }
if (empty($items[12])) { $type = false; $msg = "行:{$record} 駐輪料金が未設定です。"; break; }
// マスタ存在チェック
if (!Park::where('park_id', $items[3])->exists()) {
$type = false; $msg = "行:{$record} 駐輪場IDが存在しません。"; break;
}
if (!Psection::where('psection_id', $items[5])->exists()) {
$type = false; $msg = "行:{$record} 車種区分IDが存在しません。"; break;
}
if (!Ptype::where('ptype_id', $items[7])->exists()) {
$type = false; $msg = "行:{$record} 駐輪分類IDが存在しません。"; break;
}
if (!Usertype::where('user_categoryid', $items[9])->exists()) {
$type = false; $msg = "行:{$record} 利用者分類IDが存在しません。"; break;
}
// TODO: 駐車車室ID チェックpplace_id
if (!Pplace::where('pplace_id', $items[11])->exists()) {
$type = false; $msg = "行:{$record} 駐車車室IDが存在しません。"; break;
}
// 保存(存在すれば更新、なければ新規作成)
Price::updateOrCreate(
['price_parkplaceid' => $items[0]], // 主キー条件(存在チェック)
[
'prine_name' => $items[1],
'price_month' => $items[2],
'park_id' => $items[3],
'psection_id' => $items[5],
'price_ptypeid' => $items[7],
'user_categoryid' => $items[9],
'pplace_id' => $items[11],
'price' => $items[12],
'operator_id' => auth()->user()->operator_id ?? null, // オプション
'updated_at' => now(),
'created_at' => now(),
]
);
}
} catch (\Exception $e) {
$type = false;
$msg = "行:{$record} 予期せぬエラー: ".$e->getMessage();
}
if ($type) {
DB::commit();
return redirect()->route('prices')->with('success', __('インポートが正常に完了しました。'));
} else {
DB::rollBack();
return redirect()->route('prices')->with('error', $msg);
}
}
public function info(Request $request, $id)
{
return $this->edit($request, $id, 'admin.prices.info');
}
public function getDataDropList()
{
$data['parks'] = Park::getList() ;
$data['psections'] = Psection::getList() ;
$data['ptypes'] = Ptype::getList() ;
$data['userTypes'] = Usertype::getList() ;
$data['pplaces'] = Pplace::getList() ;
return $data;
}
/**
* Price バリデーション共通
*/
private function validateRequest(Request $request): array
{
return $request->validate([
'prine_name' => 'required|string|max:255',
'price_month' => 'required|int',
'park_id' => 'required|int',
'psection_id' => 'required|int',
'price_ptypeid' => 'required|int',
'user_categoryid' => 'required|int',
'pplace_id' => 'nullable|int',
'park_number' => 'nullable|int',
'park_standard' => 'nullable|int',
'park_limit' => 'nullable|int',
'price' => 'required|numeric',
'operator_id' => 'nullable|int',
]);
}
}

View File

@ -1,172 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\Park;
use App\Models\PriceA;
use App\Models\PriceB;
class PriceListController extends Controller
{
/**
* 料金一覧表 一覧ページ
*/
public function list(Request $request)
{
$parkList = Park::orderBy('park_name')->get();
$parkId = $request->input('park_id', '');
$masterList = [
[
'name' => 'マスターA',
'status' => '利用中',
'groups' => [],
],
[
'name' => 'マスターB',
'status' => '待作中',
'groups' => [],
],
];
if ($parkId) {
// price_a に必要なマスタを JOIN
$aRows = \DB::table('price_a')
->join('park', 'park.park_id', '=', 'price_a.park_id')
->leftJoin('ptype', 'price_a.ptype_id', '=', 'ptype.ptype_id')
->leftJoin('usertype', 'price_a.user_categoryid', '=', 'usertype.user_categoryid')
->leftJoin('pplace', 'price_a.pplace_id', '=', 'pplace.pplace_id')
->where('price_a.park_id', $parkId)
->select([
'price_a.*',
'ptype.ptype_subject',
'usertype.usertype_subject1',
'usertype.usertype_subject2',
'usertype.usertype_subject3',
'pplace.pplace_number'
])
->get();
$aGrouped = $this->groupPriceRows($aRows);
$masterList[0]['groups'] = $aGrouped;
// マスターBも同様に取得・整形する場合はここに追加
}
return view('admin.PriceList.list', [
'parkList' => $parkList,
'parkId' => $parkId,
'masterList' => $masterList,
]);
}
/**
* 料金データを「駐輪分類ID-ユーザ分類ID-駐輪場ID」でグループ化
*/
private function groupPriceRows($rows)
{
$result = [];
foreach ($rows as $row) {
// グループキーは分類ID+ユーザ分類ID+駐輪場ID
$key = $row->ptype_id . '-' . $row->user_categoryid . '-' . $row->park_id;
if (!isset($result[$key])) {
$result[$key] = [
'id' => $row->price_parkplaceid,
'classification' => $row->ptype_subject ?? '',
'room_number' => $row->pplace_number ?? '',
'category1' => $row->usertype_subject1 ?? '',
'category2' => $row->usertype_subject2 ?? '',
'category3' => $row->usertype_subject3 ?? '',
'bike_1m' => '', 'bike_2m' => '', 'bike_3m' => '', 'bike_6m' => '', 'bike_12m' => '',
'moped_1m' => '', 'moped_2m' => '', 'moped_3m' => '', 'moped_6m' => '', 'moped_12m' => '',
'motorcycle_1m' => '', 'motorcycle_2m' => '', 'motorcycle_3m' => '', 'motorcycle_6m' => '', 'motorcycle_12m' => '',
'car_1m' => '', 'car_2m' => '', 'car_3m' => '', 'car_6m' => '', 'car_12m' => '',
];
}
$month = $row->price_month;
$price = $row->price;
switch ($row->psection_id) {
case 1:
$result[$key]["bike_{$month}m"] = $price;
break;
case 2:
$result[$key]["moped_{$month}m"] = $price;
break;
case 3:
$result[$key]["motorcycle_{$month}m"] = $price;
break;
case 4:
$result[$key]["car_{$month}m"] = $price;
break;
}
}
return array_values($result);
}
public function update(Request $request)
{
foreach ($request->input('rows', []) as $row) {
$id = $row['id'] ?? null;
if (!$id) continue;
$vehicleTypes = [
'bike' => 1,
'moped' => 2,
'motorcycle' => 3,
'car' => 4,
];
$months = [1, 2, 3, 6, 12];
foreach ($vehicleTypes as $prefix => $psectionId) {
foreach ($months as $month) {
$field = "{$prefix}_{$month}m";
if (isset($row[$field])) {
$value = $row[$field];
// バリデーション:空欄はスキップ
if (!ctype_digit((string)$value)) {
return back()->withErrors([
"{$field}" => "金額は整数で入力してください。"
]);
}
// バリデーション:最大値を超えないこと
if ((int)$value > 9999999999) {
return back()->withErrors([
"{$field}" => "金額は最大 9,999,999,999 までです。"
]);
}
$item = PriceA::where('price_parkplaceid', $id)
->where('price_month', $month)
->where('psection_id', $psectionId)
->first();
if ($item) {
$item->price = $value;
$item->save();
}
}
}
}
}
return back()->with('success', '金額を更新しました');
}
public function insert(Request $request)
{
if ($request->filled('bike_2m')) {
$row = new PriceA();
$row->park_id = $request->input('park_id');
$row->price = $request->input('bike_2m');
$row->price_month = 2;
$row->psection_id = 1; // 自転車
$row->save();
}
return back()->with('success', '金額を追加しました');
}
}

View File

@ -1,158 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\PrintArea;
use App\Models\Park;
use Illuminate\Support\Facades\DB;
class PrintAreaController extends Controller
{
// 一覧
public function list(Request $request)
{
$sort = $request->input('sort', 'print_area_id');
$sort_type = $request->input('sort_type', 'asc');
$list = PrintArea::orderBy($sort, $sort_type)->paginate(20);
return view('admin.print_areas.list', [
'list' => $list,
'sort' => $sort,
'sort_type' => $sort_type,
]);
}
// 新規
public function add(Request $request)
{
if ($request->isMethod('post')) {
$validated = $request->validate([
'print_area_name' => 'required|string|max:32',
'park_id' => 'required|integer',
]);
$validated['operator_id'] = auth()->id(); // 現在のログインユーザーを記録
PrintArea::create($validated);
return redirect()->route('print_areas')->with('success', '登録しました。');
}
$parks = Park::pluck('park_name', 'park_id');
return view('admin.print_areas.add', compact('parks'));
}
// 編集
public function edit(Request $request, $print_area_id)
{
$record = PrintArea::findOrFail($print_area_id);
if ($request->isMethod('post')) {
$validated = $request->validate([
'print_area_name' => 'required|string|max:32',
'park_id' => 'required|integer',
]);
$validated['operator_id'] = auth()->id(); // 更新者を記録
$record->update($validated);
return redirect()->route('print_areas')->with('success', '更新しました。');
}
$parks = Park::pluck('park_name', 'park_id');
return view('admin.print_areas.edit', compact('record', 'parks'));
}
// 詳細
public function info(Request $request, $print_area_id)
{
$record = PrintArea::with('park')->findOrFail($print_area_id);
return view('admin.print_areas.info', compact('record'));
}
/**
* 印刷範囲マスタ削除処理
*/
public function delete(Request $request, $id = null)
{
// 一覧画面checkboxで複数削除
$ids = $request->input('pk');
// 編集画面(単体削除)
if ($id) {
$ids = [$id];
}
// 削除対象が空
if (empty($ids)) {
return redirect()
->route('print_areas')
->with('error', '削除対象が選択されていません。');
}
// バリデーション:配列 or 単一でも整数確認
$request->validate([
'pk' => 'nullable',
'pk.*' => 'integer',
]);
try {
// 削除処理
$deleted = PrintArea::destroy($ids);
if ($deleted > 0) {
return redirect()
->route('print_areas')
->with('success', '削除しました。');
} else {
return redirect()
->route('print_areas')
->with('error', '削除に失敗しました。');
}
} catch (\Exception $e) {
\Log::error('印刷範囲削除エラー: ' . $e->getMessage());
return redirect()
->route('print_areas')
->with('error', '削除中にエラーが発生しました。');
}
}
public function export(Request $request)
{
// ファイル名を日本語付きで指定Excelで問題なく開けるようにUTF-8にBOMも付加
$filename = 'シール印刷範囲マスタ' . now()->format('YmdHis') . '.csv';
$data = PrintArea::with('park')->get();
// UTF-8 BOM (Excel用)
$bom = "\xEF\xBB\xBF";
// CSVヘッダー
$csv = implode(",", ['印刷範囲ID', '印刷範囲名', '駐輪場ID', '駐輪場名']) . "\n";
foreach ($data as $item) {
$csv .= implode(",", [
$item->print_area_id,
$item->print_area_name,
$item->park_id,
optional($item->park)->park_name,
]) . "\n";
}
return response($bom . $csv)
->header('Content-Type', 'text/csv; charset=UTF-8')
// filename* にすれば日本語名も安全に動作
->header('Content-Disposition', "attachment; filename*=UTF-8''" . rawurlencode($filename));
}
// CSVインポート
public function import(Request $request)
{
// 実装未
return redirect()->route('print_areas')->with('success', 'CSVインポート処理未実装');
}
}

View File

@ -1,128 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\Psection;
class PsectionController extends Controller
{
// 一覧画面
public function list(Request $request)
{
$inputs = $request->all();
// ソート可能なカラム
$allowedSortColumns = ['psection_id', 'psection_subject'];
// ソート情報の取得
$sortColumn = $inputs['sort'] ?? 'psection_id';
$sortType = strtolower($inputs['sort_type'] ?? 'asc');
$query = \App\Models\Psection::query();
if (in_array($sortColumn, $allowedSortColumns, true)) {
if (!in_array($sortType, ['asc', 'desc'], true)) {
$sortType = 'asc';
}
$query->orderBy($sortColumn, $sortType);
}
// ページネーション20件
$list = $query->paginate(20);
return view('admin.psection.list', [
'list' => $list,
'sort' => $sortColumn,
'sort_type' => $sortType,
]);
}
/**
* 車種区分マスタ:新規登録(画面/処理)
*/
public function add(Request $request)
{
if ($request->isMethod('get')) {
// GET新規画面を表示
return view('admin.psection.add', [
'isEdit' => false,
'record' => new Psection(),
]);
}
// POSTバリデーション
$validated = $request->validate([
// 'psection_id' は自動採番
'psection_subject' => 'required|string|max:255',
]);
// 登録処理
Psection::create($validated);
// 完了メッセージ+一覧へ戻る
return redirect()->route('psections')->with('success', '登録しました。');
}
/**
* 車種区分マスタ:編集(画面/処理)
*/
public function edit(Request $request, $id)
{
// 主キーで検索見つからない場合は404
$record = Psection::findOrFail($id);
if ($request->isMethod('get')) {
// 編集画面表示
return view('admin.psection.edit', [
'isEdit' => true, // ← ★ Blade 側のフォームで新規/編集を判定するため
'record' => $record, // ← ★ _form.blade.php で使用する
]);
}
// POST時バリデーション
$validated = $request->validate([
'psection_subject' => 'required|string|max:255',
]);
// データ更新
$record->update($validated);
// 成功メッセージ & リダイレクト
return redirect()->route('psections')->with('success', '更新しました。');
}
/**
* 削除(単一/複数対応)
*/
public function delete(Request $request)
{
$ids = [];
// 単一削除(編集画面などからの削除ボタン)
if ($request->filled('id')) {
$ids[] = (int) $request->input('id');
}
// 一覧画面からの複数削除チェックボックス対応
if (is_array($request->input('pk'))) {
$ids = array_merge($ids, $request->input('pk'));
}
// 重複削除・無効値除去
$ids = array_values(array_unique(array_map('intval', $ids)));
// 削除対象がない場合
if (empty($ids)) {
return back()->with('error', '削除対象が選択されていません。');
}
// 削除実行
Psection::whereIn('psection_id', $ids)->delete();
// 完了メッセージ+リダイレクト
return redirect()->route('psections')->with('success', '削除しました。');
}
}

View File

@ -1,261 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Models\Ptype;
use App\Utils;
use Illuminate\Support\Facades\DB;
use Illuminate\Http\Request;
use App\Http\Controllers\Controller;
use Illuminate\Support\Facades\Validator;
use Response;
class PtypeController extends Controller
{
public function list(Request $request)
{
// 受け取る入力値
$inputs = [
'isMethodPost' => $request->isMethod('post') ? 1 : 0,
'isExport' => 0,
'sort' => $request->input('sort', 'ptype_id'), // デフォルト: ID
'sort_type' => strtolower($request->input('sort_type', 'asc')),
'page' => $request->get('page', 1),
];
// 許可するソート可能カラム
$allowedSortColumns = [
'ptype_id',
'ptype_subject',
'floor_sort',
'created_at',
];
// 検索クエリ作成
$query = \App\Models\Ptype::query();
// ソート処理
if (in_array($inputs['sort'], $allowedSortColumns, true)) {
$sortType = in_array($inputs['sort_type'], ['asc', 'desc'], true)
? $inputs['sort_type']
: 'asc';
$query->orderBy($inputs['sort'], $sortType);
} else {
$query->orderBy('ptype_id', 'asc');
}
// ページネーション
$inputs['list'] = $query->paginate(20);
// ページが超過している場合リダイレクト
if ($inputs['list']->total() > 0 && $inputs['page'] > $inputs['list']->lastPage()) {
return redirect()->route('ptypes');
}
// 画面へ
return view('admin.ptypes.list', $inputs);
}
/**
* 新規登録(画面/処理)
*/
public function add(Request $request)
{
if ($request->isMethod('get')) {
// 新規時は空のレコードを用意してフォーム描画
return view('admin.ptypes.add', [
'isEdit' => false,
'record' => new Ptype(), // ← ★ Blade側で record-> が使える
]);
}
// POST時バリデーション
$rules = [
'ptype_subject' => 'required|string|max:255',
'ptype_remarks' => 'nullable|string|max:255',
];
$messages = [
'ptype_subject.required' => '駐輪分類名は必須です。',
];
$validator = Validator::make($request->all(), $rules, $messages);
if ($validator->fails()) {
return redirect()->back()->withErrors($validator)->withInput();
}
DB::transaction(function () use ($request) {
$new = new Ptype();
$new->fill($request->only(['ptype_subject', 'ptype_remarks']));
$new->save();
});
return redirect()->route('ptypes')->with('success', '登録しました。');
}
/**
* 編集(画面/処理)
*/
public function edit(Request $request, $id)
{
// 該当データ取得
$record = Ptype::find($id);
if (!$record) {
abort(404);
}
if ($request->isMethod('get')) {
// 編集画面表示
return view('admin.ptypes.edit', [
'isEdit' => true,
'record' => $record,
]);
}
// POST時バリデーション
$rules = [
'ptype_subject' => 'required|string|max:255',
'floor_sort' => 'nullable|string|max:50',
'ptype_remarks' => 'nullable|string|max:255',
];
$messages = [
'ptype_subject.required' => '駐輪分類名は必須です。',
];
$validator = Validator::make($request->all(), $rules, $messages);
if ($validator->fails()) {
return redirect()->back()->withErrors($validator)->withInput();
}
DB::transaction(function () use ($request, $record) {
$record->fill($request->only(['ptype_subject','floor_sort', 'ptype_remarks']));
$record->save();
});
return redirect()->route('ptypes')->with('success', '更新しました。');
}
/**
* 削除(単一/複数対応)
*/
public function delete(Request $request)
{
$ids = [];
if ($request->filled('id')) {
$ids[] = (int) $request->input('id');
}
if (is_array($request->input('pk'))) {
$ids = array_merge($ids, $request->input('pk'));
}
$ids = array_values(array_unique(array_map('intval', $ids)));
if (empty($ids)) {
return back()->with('error', '削除対象が選択されていません。');
}
Ptype::whereIn('ptype_id', $ids)->delete();
return redirect()->route('ptypes')->with('success', '削除しました。');
}
public function getDataDropList()
{
$data = [];
return $data;
}
public function export(Request $request)
{
$headers = array(
"Content-type" => "text/csv;charset=UTF-8",
'Content-Encoding: UTF-8',
"Content-Disposition" => "attachment; filename=file.csv",
"Pragma" => "no-cache",
"Cache-Control" => "must-revalidate, post-check=0, pre-check=0",
"Expires" => "0"
);
$inputs = [
'isMethodPost' => 0,
'isExport' => 1,
'sort' => $request->input('sort', ''),
'sort_type' => $request->input('sort_type', ''),
];
$dataExport = Ptype::search($inputs);
$columns = array(
__('駐輪分類ID'),
__('駐輪分類名'),
__('備考'),
);
$filename = "駐輪分類マスタ.csv";
$file = fopen($filename, 'w+');
fputcsv($file, $columns);
foreach ($dataExport as $items) {
fputcsv($file, array(
$items->ptype_id,
$items->ptype_subject,
$items->ptype_remarks,
));
}
fclose($file);
return Response::download($filename, $filename, $headers);
}
public function import(Request $request)
{
$file = $request->file('file');
if (!empty($file)) {
$data = Utils::csvToArray($file);
$type = 1;
$msg = '';
$record = 0;
DB::beginTransaction();
try {
Ptype::query()->delete();
$col = 3;
foreach ($data as $key => $items) {
$record = $key + 2;
if (count($items) == $col) {
$row = new Ptype();
$row->ptype_id = $items[0];
$row->ptype_subject = $items[1];
$row->ptype_remarks = $items[2];
if (!$row->save()) {
$type = 0;
$msg = '行:record型が一致しません。';
break;
}
} else {
$type = 0;
$msg = '行:record列数が一致しません。';
break;
}
}
} catch (\Exception $e) {
dd($e);
$msg = '行:record型が一致しません。';
$type = 0;
}
if ($type) {
DB::commit();
return redirect()->route('ptypes')->with('success', __('輸入成功'));
} else {
DB::rollBack();
return redirect()->route('ptypes')->with('error', __($msg, ['record' => $record]));
}
} else {
return redirect()->route('ptypes')->with('error', __('あなたはcsvファイルを選択していません。'));
}
}
}

View File

@ -1,120 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use App\Models\Park;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
class ReductionConfirmMasterController extends Controller
{
/**
* 減免確認マスタ画面を表示
*
* @param Request $request park_id をクエリパラメータで受け取る
* @return \Illuminate\View\View
*/
public function list(Request $request)
{
// park_id の検証
$request->validate([
'park_id' => 'required|integer|exists:park,park_id',
], [
'park_id.required' => '駐輪場IDは必須です。',
'park_id.integer' => '駐輪場IDは整数である必要があります。',
'park_id.exists' => '指定された駐輪場が見つかりません。',
]);
$parkId = (int) $request->input('park_id');
// 駐輪場情報を取得
$park = Park::where('park_id', $parkId)->firstOrFail();
// reduction_confirm を主テーブルとして、usertype と JOIN して一覧を取得
// WHERE park_id = ? で対象駐輪場のレコードのみ取得
$reductionData = DB::table('reduction_confirm')
->leftJoin('usertype', 'reduction_confirm.user_categoryid', '=', 'usertype.user_categoryid')
->where('reduction_confirm.park_id', $parkId)
->orderBy('reduction_confirm.user_categoryid', 'asc')
->select(
'reduction_confirm.park_id',
'reduction_confirm.user_categoryid',
'reduction_confirm.reduction_confirm_type',
'usertype.usertype_subject1',
'usertype.usertype_subject2',
'usertype.usertype_subject3'
)
->paginate(50);
return view('admin.reduction_confirm.list', [
'park' => $park,
'parkId' => $parkId,
'reductionData' => $reductionData,
]);
}
/**
* 減免確認情報を一括更新
*
* @param Request $request
* @return \Illuminate\Http\RedirectResponse
*/
public function store(Request $request)
{
// バリデーション
$validated = $request->validate([
'park_id' => 'required|integer|exists:park,park_id',
'row_user_categoryid' => 'array',
'row_user_categoryid.*' => 'integer',
'reduction_confirm_type' => 'array',
'reduction_confirm_type.*' => 'in:0,1,2',
], [
'park_id.required' => '駐輪場IDは必須です。',
'park_id.integer' => '駐輪場IDは整数である必要があります。',
'park_id.exists' => '指定された駐輪場が見つかりません。',
'reduction_confirm_type.*.in' => '減免確認種別は0, 1, 2 のいずれかである必要があります。',
]);
$parkId = (int) $validated['park_id'];
// ログイン中のオペレータID取得
$opeId = auth()->user()->ope_id ?? null;
// POST された配列は index ベースで来るため、row_user_categoryid のインデックスに合わせてマッピングする
$rowUserCategory = $request->input('row_user_categoryid', []);
$types = $request->input('reduction_confirm_type', []);
try {
DB::transaction(function () use ($parkId, $rowUserCategory, $types, $opeId) {
foreach ($rowUserCategory as $idx => $userCategoryId) {
if (!isset($types[$idx])) {
continue;
}
$type = (int) $types[$idx];
DB::table('reduction_confirm')
->where('park_id', $parkId)
->where('user_categoryid', (int) $userCategoryId)
->update([
'reduction_confirm_type' => $type,
'updated_at' => now(),
'ope_id' => $opeId,
]);
}
});
return redirect()->route('reduction_confirm_list', ['park_id' => $parkId])
->with('success', '減免確認マスタを更新しました。');
} catch (\Exception $e) {
\Log::error('ReductionConfirm update failed', [
'park_id' => $parkId,
'error' => $e->getMessage(),
]);
return back()->withErrors(['error' => '更新に失敗しました。管理者にお問い合わせください。'])
->withInput();
}
}
}

File diff suppressed because it is too large Load Diff

View File

@ -1,408 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Requests\RegularContractRequest;
use App\Models\Park;
use App\Models\RegularContract;
use App\Models\User;
use App\Models\Usertype;
use App\Utils;
use Illuminate\Http\Request;
use App\Http\Controllers\Controller;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Validator;
use Response;
class RegularContractController extends Controller
{
public function list(Request $request)
{
$inputs = [
'isExport' => 0,
'sort' => $request->input('sort', ''),
'sort_type' => $request->input('sort_type', ''),
'page' => $request->get('page', 1),
];
$inputs['list'] = RegularContract::search($inputs);
//dd($inputs['list']->items());
// dd($inputs);
if ($inputs['list']->total() > 0 && $inputs['page'] > $inputs['list']->lastPage()) {
return redirect()->route('regular_contracts');
}
return view('admin.regular_contracts.list', $inputs);
}
public function add(Request $request)
{
$inputs = [
'contract_qr_id' => $request->input('contract_qr_id'), // 定期契約QRID
'user_id' => $request->input('user_id'), // 利用者ID
'user_categoryid' => $request->input('user_categoryid'), // 利用者分類ID
'reserve_id' => $request->input('reserve_id'), // 定期予約ID
'park_id' => $request->input('park_id'), // 駐輪場ID
'price_parkplaceid' => $request->input('price_parkplaceid'), // 駐輪場所ID
'user_securitynum' => $request->input('user_securitynum'), // 防犯登録番号
'reserve_date' => $request->input('reserve_date'), // 予約日時
'contract_reserve' => $request->input('contract_reserve'), // 予約移行フラグ
'contract_created_at' => $request->input('contract_created_at'), // 契約日時
'contract_updated_at' => $request->input('contract_updated_at'), // 更新可能日
'contract_cancelday' => $request->input('contract_cancelday'), // 解約日時
'contract_reduction' => $request->input('contract_reduction'), // 減免措置
'contract_periods' => $request->input('contract_periods'), // 有効期間S
'contract_periode' => $request->input('contract_periode'), // 有効期間E
'contract_taxid' => $request->input('contract_taxid'), // 消費税ID
'billing_amount' => $request->input('billing_amount'), // 請求金額
'contract_payment_day' => $request->input('contract_payment_day'), // 授受日時
'contract_money' => $request->input('contract_money'), // 授受金額
'refunds' => $request->input('refunds'), // 解約時返戻金
'refunds_comment' => $request->input('refunds_comment'), // 返戻金付随情報
'repayment_at' => $request->input('repayment_at'), // 返金日
'contact_guid' => $request->input('contact_guid'), // 決済コード
'contact_shop_code' => $request->input('contact_shop_code'), // 店舗コード
'contract_cvs_class' => $request->input('contract_cvs_class'), // 授受種別
'contract_flag' => $request->input('contract_flag'), // 授受フラグ
'settlement_transaction_id' => $request->input('settlement_transaction_id'), // 決済トランザクションID
'contract_seal_issue' => $request->input('contract_seal_issue'), // シール発行数
'seal_reissue_request' => $request->input('seal_reissue_request'), // シール再発行リクエスト
'contract_permission' => $request->input('contract_permission'), // シール発行許可
'contract_cancel_flag' => $request->input('contract_cancel_flag'), // 解約フラグ
'tag_qr_flag' => $request->input('tag_qr_flag'), // タグ/QRフラグ
'tag_change_flag' => $request->input('tag_change_flag'), // オペレータータグ変更フラグ
'park_position' => $request->input('park_position'), // 駐輪位置番号
'ope_id' => $request->input('ope_id'), // オペレータID
'contract_manual' => $request->input('contract_manual'), // 手動通知
'contract_notice' => $request->input('contract_notice'), // 通知方法
'contract_payment_number' => $request->input('contract_payment_number'), // 受付番号
'created_at' => $request->input('created_at'),
'updated_at' => $request->input('updated_at'),
];
$dataList = $this->getDataDropList();
$inputs = array_merge($inputs, $dataList);
if ($request->isMethod('POST')) {
$type = false;
$validation = new RegularContractRequest();
$rules = $validation->rules();
if(!empty($inputs['billing_amount']) ){
$rules['billing_amount'] = 'numeric|between:0,999999999999.99';
}
if(!empty($inputs['contract_money']) ){
$rules['contract_money'] = 'numeric|between:0,999999999999.99';
}
if(!empty($inputs['user_aid']) ){
$rules['refunds'] ='numeric|between:0,999999999999.99';
}
if(!empty($inputs['settlement_transaction_id']) ){
$rules['settlement_transaction_id'] = 'integer';
}
if(!empty($inputs['contract_seal_issue']) ){
$rules['contract_seal_issue'] = 'integer';
}
if(!empty($inputs['ope_id']) ){
$rules['ope_id'] = 'integer';
}
$validator = Validator::make($request->all(), $rules, $validation->messages());
if (!$validator->fails()) {
\DB::transaction(function () use ($inputs, &$type) {
$new = new RegularContract();
$new->fill($inputs);
if ($new->save()) {
$type = true;
}
});
if ($type) {
$request->session()->flash('success', __('新しい成功を創造する。'));
return redirect()->route('regular_contracts');
} else {
$request->session()->flash('error', __('新しい作成に失敗しました'));
}
} else {
$inputs['errorMsg'] = $this->__buildErrorMessasges($validator);
}
}
return view('admin.regular_contracts.add', $inputs);
}
public function edit(Request $request, $contract_id, $view = '')
{
$regular_contract = RegularContract::getByPk($contract_id);
if (empty($contract_id) || empty($regular_contract)) {
abort('404');
}
$data = $regular_contract->getAttributes();
$dataList = $this->getDataDropList();
$data = array_merge($data, $dataList);
if ($request->isMethod('POST')) {
$type = false;
$inputs = $request->all();
$validation = new RegularContractRequest();
$rules = $validation->rules();
if(!empty($inputs['billing_amount']) ){
$rules['billing_amount'] = 'numeric|between:0,999999999999.99';
}
if(!empty($inputs['contract_money']) ){
$rules['contract_money'] = 'numeric|between:0,999999999999.99';
}
if(!empty($inputs['user_aid']) ){
$rules['refunds'] ='numeric|between:0,999999999999.99';
}
if(!empty($inputs['settlement_transaction_id']) ){
$rules['settlement_transaction_id'] = 'integer';
}
if(!empty($inputs['contract_seal_issue']) ){
$rules['contract_seal_issue'] = 'integer';
}
if(!empty($inputs['ope_id']) ){
$rules['ope_id'] = 'integer';
}
$validator = Validator::make($inputs, $rules, $validation->messages());
$data = array_merge($data, $inputs);
if (!$validator->fails()) {
\DB::transaction(function () use ($data, &$type, $regular_contract) {
$regular_contract->fill($data);
$regular_contract->save();
$type = true;
});
if ($type) {
$request->session()->flash('success', __('更新に成功しました'));
return redirect()->route('regular_contracts');
} else {
$request->session()->flash('error', __('更新に失敗しました'));
}
} else {
$data['errorMsg'] = $this->__buildErrorMessasges($validator);
}
}
if ($view != '') {
return view($view, $data);
}
return view('admin.regular_contracts.edit', $data);
}
public function delete(Request $request)
{
$arr_pk = $request->get('pk');
if ($arr_pk) {
if (RegularContract::deleteByPk($arr_pk)) {
return redirect()->route('regular_contracts')->with('success', __("削除が完了しました。"));
} else {
return redirect()->route('regular_contracts')->with('error', __('削除に失敗しました。'));
}
}
return redirect()->route('regular_contracts')->with('error', __('削除するユーザーを選択してください。'));
}
public function info(Request $request, $contract_id)
{
return $this->edit($request, $contract_id, 'admin.regular_contracts.info');
}
public function getDataDropList()
{
$data['users'] = User::getList();
$data['listUserType'] = Usertype::getList();
$data['park'] = Park::getList();
return $data;
}
public function export(Request $request)
{
$headers = array(
"Content-type" => "text/csv;charset=UTF-8",
'Content-Encoding: UTF-8',
"Content-Disposition" => "attachment; filename=file.csv",
"Pragma" => "no-cache",
"Cache-Control" => "must-revalidate, post-check=0, pre-check=0",
"Expires" => "0"
);
$inputs = [
'isMethodPost' => 0,
'isExport' => 1,
'sort' => $request->input('sort', ''),
'sort_type' => $request->input('sort_type', ''),
];
$dataExport = RegularContract::search($inputs);
$columns = array(
__('定期契約ID'),
__('定期契約QRID'),// 1
__('利用者ID'),// 2
__('利用者分類ID'),// 3
__('定期予約ID'),// 4
__('駐輪場ID'),// 5
__('駐輪場所ID'),// 6
__('防犯登録番号'),// 7
__('予約日時'),// 8
__('予約移行フラグ'),// 9
__('契約日時'),// 10
__('更新可能日'),// 11
__('解約日時'),// 12
__('減免措置'),// 13
__('有効期間S'),// 14
__('有効期間E'),// 15
__('消費税ID'),// 16
__('請求金額'),// 17
__('授受日時'),// 18
__('授受金額'),// 19
__('解約時返戻金'),// 20
__('返戻金付随情報'),// 21
__('返金日'),// 22
__('決済コード'),// 23
__('店舗コード'),// 24
__('授受種別'),// 25
__('授受フラグ'),// 26
__('決済トランザクションID'),// 27
__('シール発行数'),// 28
__('シール再発行リクエスト'),// 29
__('シール発行許可'),// 30
__('解約フラグ'),// 31
__('タグ/QRフラグ'),// 32
__('オペレータータグ変更フラグ'),// 33
__('駐輪位置番号'),// 34
__('オペレータID'),// 35
__('手動通知'),// 36
__('通知方法'),// 37
__('受付番号'),// 38
);
$filename = "定期契約マスタ.csv";
$file = fopen($filename, 'w+');
fputcsv($file, $columns);
foreach ($dataExport as $items) {
fputcsv($file, array(
$items->contract_id, // 0
$items->contract_qr_id, // 1
$items->user_id, // 2
$items->user_categoryid, // 3
$items->reserve_id, // 4
$items->park_id, // 5
$items->price_parkplaceid, // 6
$items->user_securitynum, // 7
$items->reserve_date, // 8
$items->contract_reserve, // 9
$items->contract_created_at, // 10
$items->contract_updated_at, // 11
$items->contract_cancelday, // 12
$items->contract_reduction, // 13
$items->contract_periods, // 14
$items->contract_periode, // 15
$items->contract_taxid, // 16
$items->billing_amount, // 17
$items->contract_payment_day, // 18
$items->contract_money, // 19
$items->refunds, // 20
$items->refunds_comment, // 21
$items->repayment_at, // 22
$items->contact_guid, // 23
$items->contact_shop_code, // 24
$items->contract_cvs_class, // 25
$items->contract_flag, // 26
$items->settlement_transaction_id, // 27
$items->contract_seal_issue, // 28
$items->seal_reissue_request, // 29
$items->contract_permission, // 30
$items->contract_cancel_flag, // 31
$items->tag_qr_flag, // 32
$items->tag_change_flag, // 33
$items->park_position, // 34
$items->ope_id, // 35
$items->contract_manual, // 36
$items->contract_notice, // 37
$items->contract_payment_number, // 38
)
);
}
fclose($file);
return Response::download($filename, $filename, $headers);
}
public function import(Request $request)
{
$file = $request->file('file');
if (!empty($file)) {
$data = Utils::csvToArray($file);
$type = 1;
$msg = '';
$record = 0;
DB::beginTransaction();
try {
RegularContract::query()->delete();
$col = 39;
foreach ($data as $key => $items) {
$record = $key + 2;
if (count($items) == $col) {
$row = new RegularContract();
$row->contract_id = $items[0];
$row->contract_qr_id = $items[1];
$row->user_id = $items[2];
$row->user_categoryid = $items[3];
$row->reserve_id = $items[4];
$row->park_id = $items[5];
$row->price_parkplaceid = $items[6];
$row->user_securitynum = $items[7];
$row->reserve_date = $items[8];
$row->contract_reserve = $items[9];
$row->contract_created_at = $items[10];
$row->contract_updated_at = $items[11];
$row->contract_cancelday = $items[12];
$row->contract_reduction = $items[13];
$row->contract_periods = $items[14];
$row->contract_periode = $items[15];
$row->contract_taxid = $items[16];
$row->billing_amount = $items[17];
$row->contract_payment_day = $items[18];
$row->contract_money = $items[19];
$row->refunds = $items[20];
$row->refunds_comment = $items[21];
$row->repayment_at = $items[22];
$row->contact_guid = $items[23];
$row->contact_shop_code = $items[24];
$row->contract_cvs_class = $items[25];
$row->contract_flag = $items[26];
$row->settlement_transaction_id = $items[27];
$row->contract_seal_issue = $items[28];
$row->seal_reissue_request = $items[29];
$row->contract_permission = $items[30];
$row->contract_cancel_flag = $items[31];
$row->tag_qr_flag = $items[32];
$row->tag_change_flag = $items[33];
$row->park_position = $items[34];
$row->ope_id = $items[35];
$row->contract_manual = $items[36];
$row->contract_notice = $items[37];
$row->contract_payment_number = $items[38];
if (!$row->save()) {
$type = 0;
$msg = '行:record型が一致しません。';
break;
}
} else {
$type = 0;
$msg = '行:record列数が一致しません。';
break;
}
}
} catch (\Exception $e) {
dd($e);
$msg = '行:record型が一致しません。';
$type = 0;
}
if ($type) {
DB::commit();
return redirect()->route('regular_contracts')->with('success', __('輸入成功'));
} else {
DB::rollBack();
return redirect()->route('regular_contracts')->with('error', __($msg, ['record' => $record]));
}
} else {
return redirect()->route('regular_contracts')->with('error', __('あなたはcsvファイルを選択していません。'));
}
}
}

View File

@ -1,234 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Models\City;
use App\Http\Requests\RegularTypeRequest;
use App\Models\RegularType;
use App\Utils;
use Illuminate\Support\Facades\DB;
use Illuminate\Http\Request;
use App\Http\Controllers\Controller;
use Illuminate\Support\Facades\Validator;
use Response;
class RegularTypeController extends Controller
{
public function add(Request $request)
{
// 画面用データ
$dataList = $this->getDataDropList();
// フォーム入力(画面初期表示用)
$inputs = [
'city_id' => $request->input('city_id'),
'regular_class_1' => $request->input('regular_class_1'),
'regular_class_2' => $request->input('regular_class_2'),
'regular_class_3' => $request->input('regular_class_3'),
'regular_class_6' => $request->input('regular_class_6'),
'regular_class_12' => $request->input('regular_class_12'),
'memo' => $request->input('memo'),
];
$viewData = array_merge($inputs, $dataList);
$record = new RegularType();
if ($request->isMethod('POST')) {
$validation = new RegularTypeRequest();
$rules = $validation->rules();
$validator = Validator::make($request->all(), $rules, $validation->messages());
if ($validator->fails()) {
return redirect()
->back()
->withErrors($validator)
->withInput();
}
// バリデーション成功
$payload = array_intersect_key($request->all(), array_flip([
'city_id',
'regular_class_1',
'regular_class_2',
'regular_class_3',
'regular_class_6',
'regular_class_12',
'memo',
]));
DB::transaction(function () use ($payload) {
$new = new RegularType();
$new->fill($payload);
$new->operator_id = \Auth::user()->ope_id;
$new->save();
});
$request->session()->flash('success', __('登録しました。'));
return redirect()->route('regular_types');
}
return view('admin.regular_types.add', array_merge($viewData, [
'record' => $record,
]));
}
public function edit(Request $request, $id, $view = '')
{
// --- データ取得 ---
$record = RegularType::getById($id);
if (empty($id) || empty($record)) {
abort(404);
}
// --- 初期表示用データ ---
$data = array_merge(
$record->getAttributes(),
$this->getDataDropList(),
[
'record' => $record,
'isEdit' => true,
]
);
// --- 更新処理 ---
if ($request->isMethod('POST')) {
$validation = new RegularTypeRequest();
$rules = $validation->rules();
$validator = Validator::make($request->all(), $rules, $validation->messages());
// city_name → city_id の補正
$requestAll = $request->all();
if (isset($requestAll['city_name']) && !isset($requestAll['city_id'])) {
$requestAll['city_id'] = $requestAll['city_name'];
}
// 書き込み対象のカラムのみ許可
$payload = array_intersect_key($requestAll, array_flip([
'city_id',
'regular_class_1',
'regular_class_2',
'regular_class_3',
'regular_class_6',
'regular_class_12',
'memo',
]));
// バリデーションエラー
if ($validator->fails()) {
$data['errorMsg'] = $this->buildErrorMessages($validator);
$data = array_merge($data, $payload);
if ($view !== '') return view($view, $data);
return view('admin.regular_types.edit', $data);
}
// 更新
DB::transaction(function () use (&$record, $payload) {
$record->fill($payload);
$record->save();
});
$request->session()->flash('success', __('更新しました。'));
return redirect()->route('regular_types');
}
// --- 画面表示 ---
if ($view !== '') {
return view($view, $data);
}
return view('admin.regular_types.edit', $data);
}
/** バリデーションエラーをまとめる */
protected function buildErrorMessages(\Illuminate\Contracts\Validation\Validator $validator): string
{
return implode("\n", $validator->errors()->all());
}
public function delete(Request $request, $id = null)
{
// 一覧画面checkbox で複数削除)
$ids = $request->input('pk');
// 編集画面(単体削除)
if ($id) {
$ids = [$id];
}
// 削除対象が空の場合
if (empty($ids)) {
return redirect()
->route('regular_types')
->with('error', '削除対象が選択されていません。');
}
// 削除処理
RegularType::destroy($ids);
return redirect()
->route('regular_types')
->with('success', '削除しました。');
}
public function export(Request $request)
{
$headers = array(
"Content-type" => "text/csv;charset=UTF-8",
'Content-Encoding: UTF-8',
"Content-Disposition" => "attachment; filename=file.csv",
"Pragma" => "no-cache",
"Cache-Control" => "must-revalidate, post-check=0, pre-check=0",
"Expires" => "0"
);
$inputs = [
'isMethodPost' => 0,
'isExport' => 1,
'sort' => $request->input('sort', ''),
'sort_type' => $request->input('sort_type', ''),
];
$dataExport = RegularType::search($inputs);
$columns = array('user_seq', 'user_id');
$filename = "UserMaster.csv";
$file = fopen($filename, 'w+');
fputcsv($file, $columns);
foreach ($dataExport as $item) {
fputcsv($file, array($item->user_seq, $item->user_id));
}
fclose($file);
return Response::download($filename, $filename, $headers);
}
public function info(Request $request, $id)
{
return $this->edit($request, $id, 'admin.regular_types.info');
}
public function getDataDropList()
{
$data['cities'] = City::getList();
return $data;
}
public function list(Request $request)
{
$sort = $request->input('sort', 'regular_type_id');
$sort_type = $request->input('sort_type', 'asc');
$list = \App\Models\RegularType::orderBy($sort, $sort_type)->paginate(20);
return view('admin.regular_types.list', [
'list' => $list,
'sort' => $sort,
'sort_type' => $sort_type,
]);
}
}

View File

@ -1,250 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
class ReservationController extends Controller
{
/**
* 一覧表示GET/POST
*/
public function list(Request $request)
{
// ベースクエリを構築
$q = DB::table('regular_contract as rc')
->leftJoin('user as u','rc.user_id','=','u.user_id')
->select([
'rc.contract_id',
'rc.contract_qr_id',
'rc.user_id',
'rc.user_categoryid',
'rc.park_id',
'rc.contract_created_at',
'rc.contract_periods',
'rc.contract_periode',
'rc.tag_qr_flag',
'rc.contract_flag',
'rc.contract_cancel_flag',
'rc.contract_payment_day',
'rc.contract_money',
'rc.billing_amount',
'rc.contract_permission',
'rc.contract_manual',
'rc.contract_notice',
'rc.update_flag',
'rc.800m_flag',
'rc.price_parkplaceid',
'rc.psection_id',
'rc.reserve_date',
'p.park_name',
'u.user_name',
'u.user_phonetic',
'u.user_mobile',
'u.user_seq',
'u.user_homephone',
'u.user_primemail',
'u.user_gender',
'u.user_birthdate',
'u.user_regident_zip',
'u.user_regident_pre',
'u.user_regident_city',
'u.user_regident_add',
'u.user_relate_zip',
'u.user_relate_pre',
'u.user_relate_city',
'u.user_relate_add',
'u.user_graduate',
'u.user_workplace',
'u.user_school',
'u.user_remarks',
'u.user_tag_serial_64',
'u.user_reduction',
DB::raw('rc.user_securitynum as crime_prevention'),
DB::raw('rc.contract_seal_issue as seal_issue_count'),
DB::raw("CASE rc.enable_months
WHEN 1 THEN '月極(1ヶ月)'
WHEN 3 THEN '3ヶ月'
WHEN 6 THEN '6ヶ月'
WHEN 12 THEN '年'
ELSE CONCAT(rc.enable_months, 'ヶ月') END as ticket_type"),
DB::raw('ps.psection_subject as vehicle_type'),
// 利用者分類のラベルusertype テーブルの subject を取得)
DB::raw('ut.usertype_subject1 as user_category1'),
DB::raw('ut.usertype_subject2 as user_category2'),
DB::raw('ut.usertype_subject3 as user_category3'),
])
->leftJoin('park as p', 'rc.park_id', '=', 'p.park_id')
->leftJoin('psection as ps', 'rc.psection_id', '=', 'ps.psection_id')
->leftJoin('usertype as ut', 'u.user_categoryid', '=', 'ut.user_categoryid');
// ===== 絞り込み条件 =====
// 駐輪場で絞る(完全一致)
if ($request->filled('park_id')) {
$q->where('rc.park_id', $request->park_id);
}
// 利用者IDで絞る完全一致
if ($request->filled('user_id')) {
$q->where('rc.user_id', $request->user_id);
}
// 利用者分類で絞る(※ select の value を user_categoryid にしているため、user テーブルのカラムで比較)
if ($request->filled('user_category1')) {
$q->where('u.user_categoryid', $request->user_category1);
}
// タグシリアルで部分一致検索
if ($request->filled('user_tag_serial')) {
$q->where('u.user_tag_serial', 'like', '%' . $request->input('user_tag_serial') . '%');
}
// タグシリアル64進で部分一致検索
if ($request->filled('user_tag_serial_64')) {
$val = $request->user_tag_serial_64;
$q->where('u.user_tag_serial_64','like','%'.$val.'%');
}
// フリガナで部分一致
if ($request->filled('user_phonetic')) {
$q->where('u.user_phonetic', 'like', '%' . $request->user_phonetic . '%');
}
// 携帯電話で部分一致
if ($request->filled('user_mobile')) {
$q->where('u.user_mobile', 'like', '%' . $request->user_mobile . '%');
}
// メールアドレスで部分一致
if ($request->filled('user_primemail')) {
$q->where('u.user_primemail', 'like', '%' . $request->user_primemail . '%');
}
// 勤務先で部分一致
if ($request->filled('user_workplace')) {
$q->where('u.user_workplace', 'like', '%' . $request->user_workplace . '%');
}
// 学校で部分一致
if ($request->filled('user_school')) {
$q->where('u.user_school', 'like', '%' . $request->user_school . '%');
}
// ===== ソート処理 =====
// 指定があればその列でソート、なければデフォルトで契約IDの昇順
$sort = $request->input('sort'); // null 許容
$sortType = $request->input('sort_type','asc');
$allowSorts = [
'rc.contract_id',
'rc.user_id',
'u.user_name',
'rc.tag_qr_flag',
'p.park_name',
];
if ($sort && in_array($sort, $allowSorts)) {
$sortType = $sortType === 'desc' ? 'desc' : 'asc';
$q->orderBy($sort, $sortType);
} else {
// デフォルトソート
$sort = null;
$sortType = null;
$q->orderBy('rc.contract_id','asc');
}
// ページネーション(クエリ文字列を引き継ぐ)
$rows = $q->paginate(20)->appends($request->query());
// 駐輪場セレクト用データ取得
$parks = DB::table('park')->select('park_id', 'park_name')->orderBy('park_name')->get();
// 利用者分類セレクト用:実際に使用されている分類のみを取得する
$categories = $this->buildCategoryOptions(true);
// ビューに渡す
return view('admin.reservation.list', compact('rows', 'sort', 'sortType', 'parks', 'categories'));
}
/**
* 詳細表示
*/
public function info($id)
{
// 指定契約IDの詳細を取得
$contract = DB::table('regular_contract as rc')
->select([
'rc.*',
'p.park_name',
'u.user_name',
'u.user_phonetic',
'u.user_mobile',
'u.user_homephone',
'u.user_primemail',
'u.user_gender',
'u.user_birthdate',
'u.user_regident_city',
])
->leftJoin('park as p', 'rc.park_id', '=', 'p.park_id')
->leftJoin('user as u', 'rc.user_id', '=', 'u.user_id')
->where('rc.contract_id', $id)
->first();
if (!$contract) { abort(404); }
return view('admin.reservation.info', compact('contract'));
}
/**
* 利用者分類選択肢を取得
*
* @param bool $onlyUsed true の場合は regular_contract に出現する分類のみ返す
* @return array [user_categoryid => label, ...]
*/
private function buildCategoryOptions(bool $onlyUsed = false): array
{
if (! $onlyUsed) {
// 全件取得(既存の挙動)
return DB::table('usertype')
->orderBy('user_categoryid', 'asc')
->get()
->mapWithKeys(function ($row) {
$label = collect([
$row->usertype_subject1 ?? '',
$row->usertype_subject2 ?? '',
$row->usertype_subject3 ?? '',
])->filter(fn ($v) => $v !== '')->implode('/');
return [$row->user_categoryid => $label !== '' ? $label : (string) $row->user_categoryid];
})
->toArray();
}
// 実際に使用されている分類のみ取得する(内部結合で user と regular_contract と紐付くもの)
$rows = DB::table('usertype as ut')
->join('user as u', 'u.user_categoryid', '=', 'ut.user_categoryid')
->join('regular_contract as rc', 'rc.user_id', '=', 'u.user_id')
->select(
'ut.user_categoryid',
'ut.usertype_subject1',
'ut.usertype_subject2',
'ut.usertype_subject3'
)
->groupBy('ut.user_categoryid', 'ut.usertype_subject1', 'ut.usertype_subject2', 'ut.usertype_subject3')
->orderBy('ut.user_categoryid', 'asc')
->get();
// ラベルを組み立てて配列で返す
return $rows->mapWithKeys(function ($row) {
$label = collect([
$row->usertype_subject1 ?? '',
$row->usertype_subject2 ?? '',
$row->usertype_subject3 ?? '',
])->filter(fn ($v) => $v !== '')->implode('/');
return [$row->user_categoryid => $label !== '' ? $label : (string) $row->user_categoryid];
})->toArray();
}
}

View File

@ -1,118 +0,0 @@
<?php
declare(strict_types=1);
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use App\Http\Requests\ReserveRequest;
use App\Services\ReserveService;
use Illuminate\Http\RedirectResponse;
use Illuminate\View\View;
final class ReservesController extends Controller
{
public function __construct(
private readonly ReserveService $reserveService
) {
}
/**
* 予約一覧(検索・並び替え・ページング)
* Why: Controller を薄くし、検索条件・クエリ構築は Service に集約する。
*/
public function index(ReserveRequest $request): View
{
$result = $this->reserveService->paginate($request->payload());
return view('admin.reserves.index', $result);
}
/**
* 新規(画面)
* Why: プルダウン等の初期表示データ取得は Service に寄せる。
*/
public function create(): View
{
$form = $this->reserveService->getCreateForm();
return view('admin.reserves.create', [
'record' => null,
// Blade: ($userTypes ?? []) as $id => $label 형태로 사용
'userTypes' => $form['userTypeOptions'] ?? [],
// Blade: ($parks ?? []) as $id => $label
'parks' => $form['parkOptions'] ?? [],
// Blade: ($prices ?? []) as $id => $label (prine_name 표시)
'prices' => $form['priceOptions'] ?? [],
// Blade: ($psections ?? []) as $id => $label
'psections' => $form['psectionOptions'] ?? [],
// Blade: ($ptypes ?? []) as $id => $label
'ptypes' => $form['ptypeOptions'] ?? [],
]);
}
/**
* 新規(登録)
*/
public function store(ReserveRequest $request): RedirectResponse
{
$this->reserveService->create($request->payload());
return redirect()
->route('reserves.index')
->with('success', __('登録を完了しました。'));
}
/**
* 編集(画面)
*/
public function edit(int $reserveId): View
{
$form = $this->reserveService->getEditForm($reserveId);
return view('admin.reserves.edit', [
'record' => $form['row'],
'userTypes' => $form['userTypeOptions'] ?? [],
'parks' => $form['parkOptions'] ?? [],
'prices' => $form['priceOptions'] ?? [],
'psections' => $form['psectionOptions'] ?? [],
'ptypes' => $form['ptypeOptions'] ?? [],
]);
}
/**
* 編集(更新)
*/
public function update(ReserveRequest $request, int $reserveId): RedirectResponse
{
$this->reserveService->update($reserveId, $request->payload());
return redirect()
->route('reserves.index')
->with('success', __('更新を完了しました。'));
}
/**
* 削除(複数削除 pk[]
*/
public function destroy(ReserveRequest $request): RedirectResponse
{
$payload = $request->payload();
$deleted = $this->reserveService->deleteMany($payload['ids'] ?? []);
return redirect()
->route('reserves.index')
->with(
$deleted > 0 ? 'success' : 'warning',
$deleted > 0 ? __(':count 件を削除しました。', ['count' => $deleted]) : __('削除対象がありません。')
);
}
}

View File

@ -1,78 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
class SealsController extends Controller
{
public function list(Request $request)
{
$q = \DB::table('seal as s')
->leftJoin('park as p','s.park_id','=','p.park_id')
->leftJoin('regular_contract as rc','s.contract_id','=','rc.contract_id')
->leftJoin('psection as ps','rc.psection_id','=','ps.psection_id')
->select([
's.seal_issueid',
's.park_id',
'p.park_name',
's.contract_id',
'rc.psection_id',
\DB::raw('ps.psection_subject AS psection_subject'),
'rc.contract_seal_issue',
's.seal_day',
's.seal_reason',
]);
// 駐輪場フィルタ
if($request->filled('park_id')){
$q->where('s.park_id',$request->park_id);
}
// 期間フィルタ
$periodType = $request->input('period_type','range');
if($periodType === 'range'){
if($request->filled('seal_day_from')){
$q->whereDate('s.seal_day','>=',$request->seal_day_from);
}
if($request->filled('seal_day_to')){
$q->whereDate('s.seal_day','<=',$request->seal_day_to);
}
} elseif($periodType === 'recent' && $request->filled('recent_period')){
$map = ['12m'=>12,'6m'=>6,'3m'=>3,'2m'=>2,'1m'=>1,'1w'=>'1w'];
$key = $request->recent_period;
if(isset($map[$key])){
$from = $key==='1w' ? now()->subWeek() : now()->subMonths($map[$key]);
$q->where('s.seal_day','>=',$from->toDateString());
}
}
// --- 並び替え: パラメータがある場合のみ適用 ---
$sort = $request->query('sort'); // デフォルト null
$sortType = $request->query('sort_type','asc'); // 指定なければ asc
$allow = [
'seal_issueid' => 's.seal_issueid',
'park_id' => 'p.park_name',
'contract_id' => 's.contract_id',
'seal_day' => 's.seal_day',
'contract_seal_issue' => 'rc.contract_seal_issue',
'psection_subject' => 'ps.psection_subject',
];
if(isset($allow[$sort])){
$sortType = $sortType === 'desc' ? 'desc' : 'asc';
$q->orderBy($allow[$sort], $sortType);
}
// 並び替え指定が無い時は orderBy 不要 → DB の物理(主キー)順
$list = $q->paginate(20)->appends($request->query());
$parks = \DB::table('park')
->select('park_id','park_name')
->orderBy('park_name')
->get();
return view('admin.seals.list', compact('list','parks','sort','sortType'));
}
}

View File

@ -1,187 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use App\Models\Setting;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Validator;
class SettingController extends Controller
{
/**
* 一覧(絞り込みなし・ページングのみ): /settings
*/
public function list(Request $request)
{
$perPage = \App\Utils::item_per_page ?? 20;
// リクエストから取得
$sort = $request->input('sort', 'setting_id');
$sort_type = $request->input('sort_type', 'asc');
// 許可されたカラムのみソート(安全対策)
$allowedSorts = ['setting_id', 'setting_key', 'setting_value']; // ← 必要に応じて増やす
if (!in_array($sort, $allowedSorts)) {
$sort = 'setting_id';
}
if (!in_array($sort_type, ['asc', 'desc'])) {
$sort_type = 'desc';
}
$list = Setting::orderBy($sort, $sort_type)->paginate($perPage);
return view('admin.settings.list', [
'list' => $list,
'sort' => $sort,
'sort_type' => $sort_type,
]);
}
/**
* 新規追加GET/POST: /settings/add
*/
public function add(Request $request)
{
if ($request->isMethod('post')) {
$v = Validator::make($request->all(), $this->rules());
if ($v->fails()) {
return back()->withErrors($v)->withInput();
}
// チェックボックス(未送信時は false
$data = $this->onlyFillable($request);
$data['printable_alert_flag'] = $request->boolean('printable_alert_flag');
DB::transaction(function () use ($data) {
Setting::create($data);
});
return redirect()->route('settings')->with('success', '設定を登録しました。');
}
// GET時空フォーム表示
return view('admin.settings.add', [
'setting' => new Setting(), // フォーム初期化用
'isEdit' => false,
]);
}
/**
* 編集GET/POST: /settings/edit/{id}
*/
public function edit(Request $request, int $id)
{
$setting = Setting::findOrFail($id);
if ($request->isMethod('post')) {
$v = Validator::make($request->all(), $this->rules($id));
if ($v->fails()) {
return back()->withErrors($v)->withInput();
}
$data = $this->onlyFillable($request);
$data['printable_alert_flag'] = $request->boolean('printable_alert_flag');
DB::transaction(function () use ($setting, $data) {
$setting->update($data);
});
return redirect()->route('settings')->with('success', '設定を更新しました。');
}
// GET時編集フォーム表示
return view('admin.settings.edit', [
'setting' => $setting,
'isEdit' => true,
]);
}
/**
* 詳細表示: /settings/info/{id}
*/
public function info(int $id)
{
$setting = Setting::findOrFail($id);
return view('admin.settings.info', [
'setting' => $setting,
'isInfo' => true,
'isEdit' => false,
]);
}
/**
* 削除(一覧/編集 共通対応): /settings/delete または /settings/delete/{id}
*/
public function delete(Request $request, $id = null)
{
// 一覧画面checkbox で複数削除)
$ids = $request->input('ids');
// 編集画面(単体削除)
if ($id) {
$ids = [$id];
}
// 削除対象が空
if (empty($ids)) {
return redirect()->route('settings')->with('error', '削除対象が選択されていません。');
}
// 削除処理
Setting::destroy($ids);
return redirect()->route('settings')->with('success', '設定を削除しました。');
}
// ===== バリデーション・ユーティリティ =====
/**
* バリデーションルール
*/
private function rules(?int $id = null): array
{
return [
'edit_master' => ['nullable','string','max:255'],
'web_master' => ['nullable','string','max:255'],
'auto_change_date' => ['nullable','date'],
'auto_chage_master' => ['nullable','string','max:255'], // ※カラム名は仕様通り
're-issue_alert_number' => ['nullable','integer','min:0'],
'image_base_url1' => ['nullable','string','max:255'],
'image_base_url2' => ['nullable','string','max:255'],
'printable_alert_flag' => ['nullable','boolean'],
'printable_number' => ['nullable','integer','min:0'],
'printable_alert_number' => ['nullable','integer','min:0'],
'printer_keep_alive' => ['nullable','integer','min:0'],
'operator_id' => ['nullable','integer','min:0'],
];
}
/**
* フォームから fillable のみ抽出
*/
private function onlyFillable(Request $request): array
{
return $request->only([
'edit_master',
'web_master',
'auto_change_date',
'auto_chage_master',
're-issue_alert_number',
'image_base_url1',
'image_base_url2',
'printable_number',
'printable_alert_number',
'printer_keep_alive',
'operator_id',
'printable_alert_flag',
]);
}
}

View File

@ -1,289 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use App\Models\SettlementTransaction;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
use Symfony\Component\HttpFoundation\StreamedResponse;
class SettlementTransactionController extends Controller
{
/**
* 一覧
* ルート: settlement_transactions
*/
public function list(Request $request)
{
// 解除ボタンが押された場合 → 一覧にリダイレクトして検索条件リセット
if ($request->input('action') === 'unlink') {
return redirect()->route('settlement_transactions');
}
$q = SettlementTransaction::query();
// --- 絞り込み
$contractId = $request->input('contract_id');
$status = trim((string)$request->input('status', ''));
$from = $request->input('from'); // 支払日時 from
$to = $request->input('to'); // 支払日時 to
if ($contractId !== null && $contractId !== '') {
$q->where('contract_id', (int)$contractId);
}
if ($status !== '') {
$q->where('status', 'like', "%{$status}%");
}
if ($from) {
$q->whereDate('pay_date', '>=', $from);
}
if ($to) {
$q->whereDate('pay_date', '<=', $to);
}
// --- ソート既定created_at desc
$sort = $request->input('sort', 'created_at');
$type = strtolower($request->input('sort_type', 'desc'));
$allow = [
'settlement_transaction_id', 'created_at', 'updated_at',
'contract_id', 'status', 'pay_date', 'settlement_amount',
];
if (!in_array($sort, $allow, true)) $sort = 'created_at';
if (!in_array($type, ['asc', 'desc'], true)) $type = 'desc';
$q->orderBy($sort, $type);
return view('admin.settlement_transactions.list', [
'transactions' => $q->paginate(20)->appends($request->except('page')),
'contract_id' => $contractId,
'status' => $status,
'from' => $from,
'to' => $to,
'sort' => $sort,
'sort_type' => $type,
]);
}
/**
* 新規
* ルート: settlement_transactions_add
*/
public function add(Request $request)
{
if ($request->isMethod('post')) {
$data = $this->validatePayload($request);
SettlementTransaction::create($data);
return redirect()->route('settlement_transactions')->with('success', '登録しました');
}
return view('admin.settlement_transactions.add', [
'transaction' => null,
'isEdit' => false,
'isInfo' => false,
]);
}
/**
* 編集
* ルート: settlement_transactions_edit
*/
public function edit(int $settlement_transaction_id, Request $request)
{
$transaction = SettlementTransaction::findOrFail($settlement_transaction_id);
if ($request->isMethod('post')) {
$data = $this->validatePayload($request);
$transaction->update($data);
return redirect()->route('settlement_transactions')->with('success', '更新しました');
}
return view('admin.settlement_transactions.edit', [
'transaction' => $transaction,
'isEdit' => true,
'isInfo' => false,
]);
}
/**
* 詳細
* ルート: settlement_transactions_info
*/
public function info(int $settlement_transaction_id)
{
$transaction = SettlementTransaction::findOrFail($settlement_transaction_id);
return view('admin.settlement_transactions.info', [
'transaction' => $transaction,
'isEdit' => false,
'isInfo' => true,
]);
}
/**
* 一括削除(一覧のチェック name="ids[]"
* ルート: settlement_transactions_delete
*/
public function delete(Request $request)
{
$ids = (array) $request->input('ids', []);
$ids = array_values(array_filter($ids, fn($v) => preg_match('/^\d+$/', (string)$v)));
if (!$ids) {
return redirect()->route('settlement_transactions')->with('error', '削除対象が選択されていません。');
}
SettlementTransaction::whereIn('settlement_transaction_id', $ids)->delete();
return redirect()->route('settlement_transactions')->with('success', '削除しました');
}
/**
* CSVインポート簡易
* ルート: settlement_transactions_import
*
* 想定カラム順:
* contract_id,status,pay_code,contract_payment_number,corp_code,
* mms_date,cvs_code,shop_code,pay_date,settlement_amount,stamp_flag,md5_string
* 1行目ヘッダ可
*/
public function import(Request $request)
{
$request->validate([
'file' => ['required', 'file', 'mimetypes:text/plain,text/csv,text/tsv', 'max:4096'],
]);
$path = $request->file('file')->getRealPath();
$created = 0;
$updated = 0;
$skipped = 0;
DB::beginTransaction();
try {
if (($fp = fopen($path, 'r')) !== false) {
$line = 0;
while (($row = fgetcsv($fp)) !== false) {
$line++;
// ヘッダ行をスキップ
if ($line === 1) {
$joined = strtolower(implode(',', $row));
if (str_contains($joined, 'contract_id') || str_contains($joined, 'status')) {
continue;
}
}
// 入力列を安全に展開
[$contract_id,$status,$pay_code,$contract_payment_number,$corp_code,$mms_date,$cvs_code,$shop_code,$pay_date,$settlement_amount,$stamp_flag,$md5_string] = array_pad($row, 12, null);
// 正規化
$payload = [
'contract_id' => ($contract_id === '' || $contract_id === null) ? null : (int)$contract_id,
'status' => $status !== null ? trim($status) : null,
'pay_code' => $pay_code !== null ? trim($pay_code) : null,
'contract_payment_number' => $contract_payment_number !== null ? trim($contract_payment_number) : null,
'corp_code' => $corp_code !== null ? trim($corp_code) : null,
'mms_date' => $mms_date !== null ? trim($mms_date) : null,
'cvs_code' => $cvs_code !== null ? trim($cvs_code) : null,
'shop_code' => $shop_code !== null ? trim($shop_code) : null,
'pay_date' => $pay_date ? date('Y-m-d H:i:s', strtotime($pay_date)) : null,
'settlement_amount' => ($settlement_amount === '' || $settlement_amount === null) ? null : (float)preg_replace('/[^\d.]/','',$settlement_amount),
'stamp_flag' => $stamp_flag !== null ? trim($stamp_flag) : null,
'md5_string' => $md5_string !== null ? trim($md5_string) : null,
];
// upsert キー(優先: md5_string、なければ contract_id+pay_date
$ex = null;
if (!empty($payload['md5_string'])) {
$ex = SettlementTransaction::where('md5_string', $payload['md5_string'])->first();
} elseif (!empty($payload['contract_id']) && !empty($payload['pay_date'])) {
$ex = SettlementTransaction::where('contract_id', $payload['contract_id'])
->where('pay_date', $payload['pay_date'])->first();
}
if ($ex) { $ex->update($payload); $updated++; }
else { SettlementTransaction::create($payload); $created++; }
}
fclose($fp);
}
DB::commit();
return redirect()->route('settlement_transactions')
->with('success', "インポート完了:新規 {$created} 件、更新 {$updated} 件、スキップ {$skipped}");
} catch (\Throwable $e) {
DB::rollBack();
return redirect()->route('settlement_transactions')
->with('error', 'インポートに失敗しました:' . $e->getMessage());
}
}
/**
* CSVエクスポート
* ルート: settlement_transactions_export
*/
public function export(Request $request): StreamedResponse
{
$q = SettlementTransaction::query();
// 一覧と同じソートを適用(任意で絞り込みも追加可能)
$sort = $request->input('sort', 'created_at');
$type = strtolower($request->input('sort_type', 'desc'));
if (!in_array($type, ['asc','desc'], true)) $type = 'desc';
$q->orderBy($sort, $type);
$filename = 'settlement_transactions_' . now()->format('Ymd_His') . '.csv';
return response()->streamDownload(function () use ($q) {
$out = fopen('php://output', 'w');
fputcsv($out, [
'ID','契約ID','ステータス','支払コード','契約課金番号','企業コード',
'MMS日付','CVSコード','店舗コード','支払日時','金額','スタンプ','MD5',
'登録日時','更新日時'
]);
$q->chunk(500, function ($rows) use ($out) {
foreach ($rows as $r) {
fputcsv($out, [
$r->settlement_transaction_id,
$r->contract_id,
$r->status,
$r->pay_code,
$r->contract_payment_number,
$r->corp_code,
$r->mms_date,
$r->cvs_code,
$r->shop_code,
optional($r->pay_date)->format('Y-m-d H:i:s'),
$r->settlement_amount,
$r->stamp_flag,
$r->md5_string,
optional($r->created_at)->format('Y-m-d H:i:s'),
optional($r->updated_at)->format('Y-m-d H:i:s'),
]);
}
});
fclose($out);
}, $filename, ['Content-Type' => 'text/csv; charset=UTF-8']);
}
/**
* 共通バリデーション
*/
private function validatePayload(Request $request): array
{
return $request->validate([
'contract_id' => ['nullable','integer'],
'status' => ['nullable','string','max:255'],
'pay_code' => ['nullable','string','max:255'],
'contract_payment_number' => ['nullable','string','max:255'],
'corp_code' => ['nullable','string','max:255'],
'mms_date' => ['nullable','string','max:255'],
'cvs_code' => ['nullable','string','max:255'],
'shop_code' => ['nullable','string','max:255'],
'pay_date' => ['nullable','date'],
'settlement_amount' => ['nullable','numeric'], // DB は decimal(10,0)
'stamp_flag' => ['nullable','string','max:255'],
'md5_string' => ['nullable','string','max:255'],
]);
}
}

View File

@ -1,229 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\Station;
use Illuminate\Support\Facades\Validator;
use Illuminate\Support\Facades\DB;
use App\Models\Park;
class StationController extends Controller
{
/**
* 一覧表示
*/
public function list(Request $request)
{
$sort = $request->input('sort', 'station_id');
$sort_type = $request->input('sort_type', 'asc');
$allowedSorts = [
'station_id',
'park_id',
'station_neighbor_station',
'station_name_ruby',
'station_route_name'
];
if (!in_array($sort, $allowedSorts)) {
$sort = 'station_id';
}
if (!in_array($sort_type, ['asc', 'desc'])) {
$sort_type = 'asc';
}
$list = Station::select([
'station_id',
'station_neighbor_station',
'station_name_ruby',
'station_route_name',
'park_id',
'operator_id',
'station_latitude',
'station_longitude',
])
->orderBy($sort, $sort_type)
->paginate(20);
return view('admin.stations.list', compact('list', 'sort', 'sort_type'));
}
public function add(Request $request)
{
if ($request->isMethod('get')) {
// 駐車場リストを取得(プルダウン用)
$parks = Park::orderBy('park_name')->pluck('park_name', 'park_id');
// 新規時:空レコードを渡す
return view('admin.stations.add', [
'isEdit' => false,
'record' => new Station(),
'parks' => $parks, // ← これを追加
]);
}
// POST時バリデーション
$rules = [
'station_neighbor_station' => 'required|string|max:255',
'station_name_ruby' => 'required|string|max:255',
'station_route_name' => 'required|string|max:255',
'station_latitude' => 'required|numeric',
'station_longitude' => 'required|numeric',
'operator_id' => 'nullable|integer',
'park_id' => 'required|integer',
];
$messages = [
'station_latitude.required' => '緯度は必須項目です。',
'station_longitude.required' => '経度は必須項目です。',
];
$validator = Validator::make($request->all(), $rules, $messages);
if ($validator->fails()) {
return redirect()->back()->withErrors($validator)->withInput();
}
DB::transaction(function () use ($request) {
Station::create($request->only([
'station_neighbor_station',
'station_name_ruby',
'station_route_name',
'station_latitude',
'station_longitude',
'park_id',
'operator_id',
]));
});
return redirect()->route('stations')->with('success', '登録しました。');
}
/**
* 編集(画面/処理)
*/
public function edit(Request $request, $id)
{
$record = Station::findOrFail($id);
if ($request->isMethod('get')) {
// 駐車場リストを取得(プルダウン用)
$parks = Park::orderBy('park_name')->pluck('park_name', 'park_id');
return view('admin.stations.edit', [
'isEdit' => true,
'record' => $record,
'parks' => $parks, // ← ここを追加
]);
}
// ▼ POST時バリデーション
$rules = [
'station_neighbor_station' => 'required|string|max:255',
'station_name_ruby' => 'required|string|max:255',
'station_route_name' => 'required|string|max:255',
'station_latitude' => 'required|numeric',
'station_longitude' => 'required|numeric',
'operator_id' => 'nullable|integer',
'park_id' => 'required|integer',
];
$messages = [
'station_latitude.required' => '緯度は必須項目です。',
'station_longitude.required' => '経度は必須項目です。',
];
$validator = Validator::make($request->all(), $rules, $messages);
if ($validator->fails()) {
return redirect()->back()->withErrors($validator)->withInput();
}
DB::transaction(function () use ($request, $record) {
$record->update($request->only([
'station_neighbor_station',
'station_name_ruby',
'station_route_name',
'park_id',
'operator_id',
'station_latitude',
'station_longitude',
]));
});
return redirect()->route('stations')->with('success', '更新しました。');
}
/**
* 削除(単一/複数対応)
*/
public function delete(Request $request)
{
$ids = [];
if ($request->filled('id')) {
$ids[] = (int) $request->input('id');
}
if (is_array($request->input('pk'))) {
$ids = array_merge($ids, $request->input('pk'));
}
$ids = array_values(array_unique(array_map('intval', $ids)));
if (empty($ids)) {
return back()->with('error', '削除対象が選択されていません。');
}
Station::whereIn('station_id', $ids)->delete();
return redirect()->route('stations')->with('success', '削除しました');
}
/**
* CSVインポート
*/
public function import(Request $request)
{
// TODO: 実装予定
return redirect()->route('stations')->with('info', 'CSVインポートは未実装です');
}
/**
* CSVエクスポート日本語ヘッダー付き
*/
public function export()
{
// ファイル名
$filename = '近傍駅マスタ_' . now()->format('YmdHis') . '.csv';
return response()->streamDownload(function () {
// Excel用 UTF-8 BOM
echo "\xEF\xBB\xBF";
// 日本語ヘッダー行
echo "近傍駅ID,駐車場ID,近傍駅,近傍駅ふりがな,路線名,近傍駅座標(緯度),近傍駅座標(経度)\n";
// データ行
foreach (\App\Models\Station::all() as $station) {
echo implode(',', [
$station->station_id,
$station->park_id,
$station->station_neighbor_station,
$station->station_name_ruby,
$station->station_route_name,
$station->station_latitude,
$station->station_longitude,
// $station->operator_id,
]) . "\n";
}
}, $filename);
}
}

View File

@ -1,187 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
use Barryvdh\DomPDF\Facade\Pdf;
class TagissueController extends Controller
{
// タグ発送宛名PDF生成
public function printUnissuedLabels(Request $request)
{
$ids = $request->input('ids', []);
if (empty($ids) || !is_array($ids)) {
return back()->with('error', '1件以上選択してください。');
}
// 利用者情報取得
$users = DB::table('user')
->whereIn('user_id', $ids)
->select('user_name', 'user_regident_zip', 'user_regident_pre')
->get();
// PDF生成Laravel-dompdf使用例
$pdfHtml = view('admin.tag_issue.pdf_labels', ['users' => $users])->render();
$pdf = Pdf::setOptions(['isRemoteEnabled' => true])->loadHTML($pdfHtml);
return $pdf->download('tag_labels.pdf');
}
public function list(Request $request)
{
// 絞り込み条件
$filterType = $request->input('filter_type'); // 'unissued', 'issued', 'all', 'unissued_toggle'
$tagSerial = $request->input('tag_serial');
$tagSerial64 = $request->input('tag_serial_64');
// ソートパラメータ取得
$sort = $request->input('sort');
$sortType = $request->input('sort_type', 'asc');
// userテーブルとoperator_queテーブルをJOIN
$query = DB::table('user')
->leftJoin('operator_que', 'user.user_id', '=', 'operator_que.user_id')
->select(
'user.user_seq',
'user.user_id',
'user.user_tag_serial',
'user.user_tag_serial_64',
'user.user_tag_issue',
'user.user_name',
'user.user_mobile',
'user.user_homephone',
'user.user_regident_zip',
'user.user_regident_pre',
'user.user_regident_city',
'user.user_regident_add',
'user.user_relate_zip',
'user.user_relate_pre',
'user.user_relate_city',
'user.user_relate_add',
'operator_que.que_id',
'operator_que.que_class',
'operator_que.que_status'
);
// ソート項目に応じたorderBy
switch ($sort) {
case 'que_id':
$query->orderBy('operator_que.que_id', $sortType);
break;
case 'user_tag_serial':
$query->orderBy('user.user_tag_serial', $sortType);
break;
case 'user_tag_serial_64':
$query->orderBy('user.user_tag_serial_64', $sortType);
break;
case 'user_tag_issue':
$query->orderBy('user.user_tag_issue', $sortType);
break;
case 'user_name':
$query->orderBy('user.user_name', $sortType);
break;
default:
$query->orderByDesc('user.user_seq');
}
// 【種別フィルター】タグ未発送(通常)
if ($filterType === 'unissued') {
$query->where('operator_que.que_class', 3)
->where('operator_que.que_status', 1);
}
// 【種別フィルター】タグ未発送トグルque_class=3かつque_status≠3
if ($filterType === 'unissued_toggle') {
$query->where('operator_que.que_class', 3)
->where('operator_que.que_status', '<>', 3);
}
// 【種別フィルター】タグ発送済み(通常)
if ($filterType === 'issued') {
$query->where('operator_que.que_class', 3)
->where('operator_que.que_status', 3);
}
// 【種別フィルター】タグ発送済みトグルque_class=3 and que_status=3
if ($filterType === 'issued_toggle') {
$query->where('operator_que.que_class', 3)
->where('operator_que.que_status', 3);
}
// 【タグシリアル・タグシリアル64進フィルター】
if (!empty($tagSerial)) {
$query->where('user.user_tag_serial', 'like', "%$tagSerial%");
}
if (!empty($tagSerial64)) {
$query->where('user.user_tag_serial_64', 'like', "%$tagSerial64%");
}
$users = $query->paginate(20);
return view('admin.tag_issue.list', [
'users' => $users,
'filterType' => $filterType,
'tagSerial' => $tagSerial,
'tagSerial64' => $tagSerial64,
'sort' => $sort,
'sortType' => $sortType,
]);
}
// ステータス変更(タグ発送済み/未発送)
public function updateStatus(Request $request)
{
$ids = $request->input('ids', []); // チェックされたuser_id配列
$action = $request->input('action'); // 'to_issued' or 'to_unissued'
$operatorId = auth()->id();
$now = now();
// 対象ユーザーのoperator_queを取得
$ques = DB::table('operator_que')->whereIn('user_id', $ids)->get();
if ($action === 'to_issued') {
$alreadyIssued = $ques->where('que_status', 3)->pluck('user_id')->toArray();
if (count($alreadyIssued) > 0) {
return back()->with('error', 'すでにタグ発送済みのユーザーが含まれています。');
}
// 確認ダイアログはJS側で
DB::table('operator_que')->whereIn('user_id', $ids)
->update(['que_status' => 3, 'updated_at' => $now, 'operator_id' => $operatorId]);
return back()->with('success', 'ステータスをタグ発送済に変更しました。');
}
if ($action === 'to_unissued') {
$alreadyUnissued = $ques->where('que_status', 1)->pluck('user_id')->toArray();
if (count($alreadyUnissued) > 0) {
// 既にタグ未発送のユーザー名を取得
$names = DB::table('user')->whereIn('user_id', $alreadyUnissued)->pluck('user_name')->toArray();
return back()->with('error', 'すでにタグ未発送のユーザーが含まれています: ' . implode(', ', $names));
}
// すべてque_status=1以外なので更新
DB::table('operator_que')->whereIn('user_id', $ids)
->update(['que_status' => 1, 'updated_at' => $now, 'operator_id' => $operatorId]);
return back()->with('success', 'ステータスをタグ未発送に変更しました。');
}
return back()->with('error', '不正な操作です。');
}
// Ajax: 選択user_idのque_statusを返すタグ発送済み/未発送判定)
public function checkStatus(Request $request)
{
$ids = $request->input('ids', []);
$type = $request->input('type'); // 'issued' or 'unissued'
$users = DB::table('user')
->leftJoin('operator_que', 'user.user_id', '=', 'operator_que.user_id')
->whereIn('user.user_id', $ids)
->select('user.user_name', 'operator_que.que_status')
->get();
$alreadyIssued = [];
$alreadyUnissued = [];
foreach ($users as $u) {
if ($type === 'issued' && $u->que_status == 3) {
$alreadyIssued[] = $u->user_name;
}
if ($type === 'unissued' && $u->que_status == 1) {
$alreadyUnissued[] = $u->user_name;
}
}
return response()->json([
'alreadyIssued' => $alreadyIssued,
'alreadyUnissued' => $alreadyUnissued
]);
}
}

View File

@ -1,293 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use App\Models\Tax;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
use Illuminate\Support\Facades\DB;
use Symfony\Component\HttpFoundation\StreamedResponse;
class TaxController extends Controller
{
/**
* 一覧:キーワード/適用日範囲で絞り込み + ソート + ページング
*/
public function list(Request $request)
{
$query = Tax::query();
// 絞り込み
$keyword = trim((string) $request->input('kw'));
if ($keyword !== '') {
$query->where('tax_percent', 'like', "%{$keyword}%");
}
$from = $request->input('from');
$to = $request->input('to');
if ($from) {
$query->whereDate('tax_day', '>=', $from);
}
if ($to) {
$query->whereDate('tax_day', '<=', $to);
}
// ソート既定ID 昇順)
$sort = $request->input('sort', 'tax_id');
$type = strtolower($request->input('sort_type', 'asc'));
$allow = ['tax_day', 'tax_percent', 'updated_at', 'created_at', 'tax_id'];
if (!in_array($sort, $allow, true)) {
$sort = 'tax_id';
}
if (!in_array($type, ['asc', 'desc'], true)) {
$type = 'asc';
}
$query->orderBy($sort, $type);
$list = $query->paginate(20)->appends($request->except('page'));
return view('admin.tax.list', [
'taxes' => $list,
'kw' => $keyword,
'from' => $from,
'to' => $to,
'sort' => $sort,
'sort_type' => $type,
]);
}
public function add(Request $request)
{
if ($request->isMethod('post')) {
$data = $request->validate([
'tax_percent' => ['required', 'numeric', 'min:0', 'max:1000'],
'tax_day' => ['required', 'date'],
]);
$data['operator_id'] = optional(\Auth::user())->ope_id ?? null;
$data['tax_percent'] = number_format((float)$data['tax_percent'], 2, '.', '');
\App\Models\Tax::create($data);
return redirect()->route('tax')->with('success', '登録しました。');
}
return view('admin.tax.add', [
'tax' => null,
'isEdit' => false,
'isInfo' => false,
]);
}
public function edit(int $tax_id, Request $request)
{
$tax = \App\Models\Tax::findOrFail($tax_id);
if ($request->isMethod('post')) {
$data = $request->validate([
'tax_percent' => ['required', 'numeric', 'min:0', 'max:1000'],
'tax_day' => ['required', 'date'],
]);
$data['operator_id'] = optional(\Auth::user())->ope_id ?? null;
$data['tax_percent'] = number_format((float)$data['tax_percent'], 2, '.', '');
$tax->update($data);
return redirect()->route('tax')->with('success', '更新しました。');
}
return view('admin.tax.edit', [
'tax' => $tax,
'isEdit' => true,
'isInfo' => false,
]);
}
public function info(int $tax_id)
{
$tax = \App\Models\Tax::findOrFail($tax_id);
return view('admin.tax.info', [
'tax' => $tax,
'isEdit' => false,
'isInfo' => true,
]);
}
/**
* 一括削除(一覧のチェックボックスで送られてくる想定)
* フォーム側 name="ids[]" の配列を POST
*/
public function delete(Request $request)
{
$pk = $request->input('pk', []);
// 配列に統一
$ids = is_array($pk) ? $pk : [$pk];
// 数字チェック
$ids = array_values(array_filter($ids, fn($v) => preg_match('/^\d+$/', (string) $v)));
if (empty($ids)) {
return redirect()->route('tax')->with('error', '削除対象が選択されていません。');
}
// 削除
Tax::whereIn('tax_id', $ids)->delete();
return redirect()->route('tax')->with('success', '削除しました。');
}
// /**
// * CSVインポート
// * カラム想定: tax_percent, tax_day
// * - 1行目はヘッダ可
// * - tax_day をキーとして「存在すれば更新 / 無ければ作成」
// */
// public function import(Request $request)
// {
// $request->validate([
// 'file' => ['required', 'file', 'mimetypes:text/plain,text/csv,text/tsv', 'max:2048'],
// ]);
// $path = $request->file('file')->getRealPath();
// if (!$path || !is_readable($path)) {
// return redirect()->route('tax')->with('error', 'ファイルを読み込めません。');
// }
// $created = 0;
// $updated = 0;
// $skipped = 0;
// DB::beginTransaction();
// try {
// if (($fp = fopen($path, 'r')) !== false) {
// $line = 0;
// while (($row = fgetcsv($fp)) !== false) {
// $line++;
// // 空行スキップ
// if (count($row) === 1 && trim((string) $row[0]) === '') {
// continue;
// }
// // ヘッダ行っぽい場合1行目に 'tax_percent' を含む)
// if ($line === 1) {
// $joined = strtolower(implode(',', $row));
// if (str_contains($joined, 'tax_percent') && str_contains($joined, 'tax_day')) {
// continue; // ヘッダスキップ
// }
// }
// // 取り出し(列数が足りない場合スキップ)
// $percent = $row[0] ?? null;
// $day = $row[1] ?? null;
// if ($percent === null || $day === null) {
// $skipped++;
// continue;
// }
// // 正規化 & 検証
// $percent = trim((string) $percent);
// $percent = rtrim($percent, '%');
// $percent = preg_replace('/[^\d.]/', '', $percent) ?? '0';
// $percentF = (float) $percent;
// if ($percentF < 0) {
// $skipped++;
// continue;
// }
// $percentF = (float) number_format($percentF, 2, '.', '');
// $day = date('Y-m-d', strtotime((string) $day));
// if (!$day) {
// $skipped++;
// continue;
// }
// // upsert: 適用日ユニーク運用
// $existing = Tax::whereDate('tax_day', $day)->first();
// $payload = [
// 'tax_percent' => $percentF,
// 'tax_day' => $day,
// 'operator_id' => optional(Auth::user())->ope_id ?? null,
// ];
// if ($existing) {
// $existing->update($payload);
// $updated++;
// } else {
// Tax::create($payload);
// $created++;
// }
// }
// fclose($fp);
// }
// DB::commit();
// return redirect()->route('tax')->with('success', "インポート完了:新規 {$created} 件、更新 {$updated} 件、スキップ {$skipped} 件");
// } catch (\Throwable $e) {
// DB::rollBack();
// return redirect()->route('tax')->with('error', 'インポートに失敗しました:' . $e->getMessage());
// }
// }
// /**
// * CSVエクスポート現在の絞り込み/ソート条件を反映
// */
// public function export(Request $request): StreamedResponse
// {
// $query = Tax::query();
// $keyword = trim((string) $request->input('kw'));
// if ($keyword !== '') {
// $query->where('tax_percent', 'like', "%{$keyword}%");
// }
// $from = $request->input('from');
// $to = $request->input('to');
// if ($from) {
// $query->whereDate('tax_day', '>=', $from);
// }
// if ($to) {
// $query->whereDate('tax_day', '<=', $to);
// }
// $sort = $request->input('sort', 'tax_day');
// $type = strtolower($request->input('sort_type', 'desc'));
// $allow = ['tax_day', 'tax_percent', 'updated_at', 'created_at', 'tax_id'];
// if (!in_array($sort, $allow, true)) {
// $sort = 'tax_day';
// }
// if (!in_array($type, ['asc', 'desc'], true)) {
// $type = 'desc';
// }
// $query->orderBy($sort, $type);
// $filename = 'tax_' . now()->format('Ymd_His') . '.csv';
// return response()->streamDownload(function () use ($query) {
// $out = fopen('php://output', 'w');
// // Header設計書の主要カラム
// fputcsv($out, ['消費税ID', '消費税率', '適用日', '登録日時', '更新日時', '更新オペレータID']);
// $query->chunk(500, function ($rows) use ($out) {
// foreach ($rows as $r) {
// fputcsv($out, [
// $r->tax_id,
// // 画面仕様に合わせたい場合は getDisplayTaxPercentAttribute() に置換可
// is_numeric($r->tax_percent)
// ? number_format((float) $r->tax_percent, 2, '.', '')
// : (string) $r->tax_percent,
// optional($r->tax_day)->format('Y-m-d'),
// optional($r->created_at)->format('Y-m-d H:i:s'),
// optional($r->updated_at)->format('Y-m-d H:i:s'),
// $r->operator_id,
// ]);
// }
// });
// fclose($out);
// }, $filename, [
// 'Content-Type' => 'text/csv; charset=UTF-8',
// ]);
// }
}

View File

@ -1,148 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\Term;
use App\Models\City;
class TermsController extends Controller
{
// 一覧表示
public function list(Request $request)
{
$sort = $request->input('sort', 'terms_id');
$sort_type = $request->input('sort_type', 'asc');
$allowedSorts = ['terms_id', 'terms_revision', 'start_date', 'use_flag'];
if (!in_array($sort, $allowedSorts)) {
$sort = 'terms_id';
}
if (!in_array($sort_type, ['asc', 'desc'])) {
$sort_type = 'asc';
}
$terms = Term::select([
'terms_id',
'terms_revision',
'terms_text',
'start_date',
'use_flag',
'memo',
'city_id',
'operator_id'
])->orderBy($sort, $sort_type)->paginate(20);
return view('admin.terms.list', compact('terms', 'sort', 'sort_type'));
}
// 新規登録画面・登録処理
public function add(Request $request)
{
if ($request->isMethod('post')) {
$validated = $request->validate([
'city_id' => 'required|integer',
'terms_revision' => 'required|string|max:255',
'terms_text' => 'required|string',
'start_date' => 'nullable|date',
'use_flag' => 'required|in:0,1',
'memo' => 'nullable|string|max:255',
'terms_created_at' => 'nullable|date',
'operator_id' => 'nullable|integer',
]);
Term::create($validated);
return redirect()->route('terms')->with('success', '登録しました。');
}
// 都市の選択肢を取得
$cities = City::pluck('city_name', 'city_id');
return view('admin.terms.add', compact('cities'));
}
public function edit(Request $request, $id)
{
$term = Term::findOrFail($id);
$cities = City::pluck('city_name', 'city_id');
if ($request->isMethod('post')) {
$validated = $request->validate([
'city_id' => 'required|integer',
'terms_revision' => 'required|string|max:255',
'terms_text' => 'required|string',
'start_date' => 'nullable|date',
'use_flag' => 'required|in:0,1',
'memo' => 'nullable|string|max:255',
'terms_created_at'=> 'nullable|date',
'operator_id' => 'nullable|integer',
]);
$term->update($validated);
return redirect()->route('terms')->with('success', '更新しました。');
}
return view('admin.terms.edit', compact('term', 'cities'));
}
// 詳細表示
public function info($id)
{
$term = Term::findOrFail($id);
return view('admin.terms.info', compact('term'));
}
// 削除処理(単一・複数対応)
public function delete(Request $request)
{
$request->validate([
'pk' => 'required',
'pk.*' => 'integer', // 配列なら中身は整数
]);
$arr_pk = $request->input('pk');
$ids = is_array($arr_pk) ? $arr_pk : [$arr_pk];
$deleted = Term::destroy($ids);
if ($deleted > 0) {
return redirect()->route('terms')->with('success', __('削除しました。'));
} else {
return redirect()->route('terms')->with('error', __('削除に失敗しました。'));
}
}
// CSVインポート
public function import(Request $request)
{
return redirect()->route('terms')->with('info', 'CSVインポートは未実装です');
}
// CSVエクスポートfputcsv使用
public function export()
{
return response()->streamDownload(function () {
$handle = fopen('php://output', 'w');
fputcsv($handle, ['terms_id', 'terms_revision', 'terms_text', 'start_date', 'use_flag']);
foreach (Term::all() as $term) {
fputcsv($handle, [
$term->terms_id,
$term->terms_revision,
$term->terms_text,
$term->start_date,
$term->use_flag,
]);
}
fclose($handle);
}, 'terms.csv');
}
}

View File

@ -1,157 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
class UpdateCandidateController extends Controller
{
/**
* 更新予定者一覧表示
*/
public function list(Request $request)
{
$q = DB::table('regular_contract as rc')
->leftJoin('user as u','rc.user_id','=','u.user_id')
->leftJoin('park as p','rc.park_id','=','p.park_id')
->leftJoin('psection as ps','rc.psection_id','=','ps.psection_id')
->leftJoin('usertype as ut','u.user_categoryid','=','ut.user_categoryid')
->select([
'rc.contract_id',
'rc.user_id',
'rc.park_id',
'rc.contract_created_at',
'rc.contract_periods',
'rc.contract_periode',
'rc.tag_qr_flag',
'rc.contract_cancel_flag',
'rc.contract_permission',
'u.user_name',
'u.user_phonetic',
'u.user_mobile',
'u.user_homephone',
'u.user_birthdate',
'u.user_gender',
'u.user_regident_zip',
'u.user_regident_pre',
'u.user_regident_city',
'u.user_regident_add',
'u.user_relate_zip',
'u.user_relate_pre',
'u.user_relate_city',
'u.user_relate_add',
'u.user_workplace',
'u.user_school',
'u.user_graduate',
'u.user_reduction',
'u.user_remarks',
'p.park_name',
DB::raw('ps.psection_subject as vehicle_type'),
DB::raw('ut.usertype_subject1 as user_category1'),
DB::raw('ut.usertype_subject2 as user_category2'),
DB::raw('ut.usertype_subject3 as user_category3'),
DB::raw('rc.contract_seal_issue as seal_issue_count'),
DB::raw('rc.user_securitynum as crime_prevention'),
DB::raw("CASE rc.enable_months
WHEN 1 THEN '月極(1ヶ月)'
WHEN 3 THEN '3ヶ月'
WHEN 6 THEN '6ヶ月'
WHEN 12 THEN '年'
ELSE CONCAT(rc.enable_months,'ヶ月') END as ticket_type"),
])
->where('rc.contract_cancel_flag',0)
->where('rc.contract_permission',1)
// 追加: 本日以降が有効期限のレコードのみ
->whereDate('rc.contract_periode','>=', now()->toDateString());
// 絞り込み
if ($request->filled('park_id')) {
$q->where('rc.park_id', $request->park_id);
}
if ($request->filled('user_id')) {
$q->where('rc.user_id', trim($request->user_id));
}
// 分類名1 完全一致
if ($request->filled('user_category1')) {
$val = trim(mb_convert_kana($request->user_category1,'asKV'));
$q->where('ut.usertype_subject1', $val);
}
// タグシリアル64進 部分一致 (SELECT 不要)
if ($request->filled('user_tag_serial_64')) {
$q->where('u.user_tag_serial_64','like','%'.$request->user_tag_serial_64.'%');
}
// 有効期限:指定日以前
if ($request->filled('contract_periode')) {
$raw = str_replace('/','-',$request->contract_periode);
try {
$target = \Carbon\Carbon::parse($raw)->format('Y-m-d');
$q->whereDate('rc.contract_periode','<=',$target);
} catch (\Exception $e) {}
}
if ($request->filled('user_phonetic')) {
$q->where('u.user_phonetic','like','%'.$request->user_phonetic.'%');
}
if ($request->filled('user_mobile')) {
$like = '%'.$request->user_mobile.'%';
$q->where(function($w) use ($like){
$w->where('u.user_mobile','like',$like)
->orWhere('u.user_homephone','like',$like);
});
}
if ($request->filled('user_primemail')) {
$like = '%'.$request->user_primemail.'%';
$q->where(function($w) use ($like){
$w->where('u.user_primemail','like',$like)
->orWhere('u.user_submail','like',$like);
});
}
if ($request->filled('user_workplace')) {
$q->where('u.user_workplace','like','%'.$request->user_workplace.'%');
}
if ($request->filled('user_school')) {
$q->where('u.user_school','like','%'.$request->user_school.'%');
}
if ($request->filled('tag_qr_flag') && $request->tag_qr_flag!=='') {
$q->where('rc.tag_qr_flag',$request->tag_qr_flag);
}
// 対象月
$target = $request->input('target_month');
if (in_array($target,['last','this','next','after2'],true)) {
$base = now()->startOfMonth();
$offset = ['last'=>-1,'this'=>0,'next'=>1,'after2'=>2][$target];
$m = $base->copy()->addMonths($offset);
if ($target === 'after2') {
// 2か月後「以降」を抽出該当月の月初以降
$q->whereDate('rc.contract_periode', '>=', $m->toDateString());
} else {
$q->whereYear('rc.contract_periode',$m->year)
->whereMonth('rc.contract_periode',$m->month);
}
}
// ソートregular_contract の表示順に合わせて contract_id の降順を既定に)
$sort = $request->input('sort','contract_id');
$sortType = $request->input('sort_type','dac');
$allow = [
'contract_id' => 'rc.contract_id',
'user_id' => 'rc.user_id',
'contract_periode' => 'rc.contract_periode',
];
if (!isset($allow[$sort])) $sort = 'contract_id';
$sortType = $sortType==='desc' ? 'desc' : 'asc';
$q->orderBy($allow[$sort], $sortType);
$rows = $q->paginate(20)->appends($request->query());
$parks = DB::table('park')
->select('park_id','park_name')
->orderBy('park_name')
->get();
return view('admin.update_candidate.list',
compact('rows','parks'));
}
}

View File

@ -1,579 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Validator;
use Symfony\Component\HttpFoundation\StreamedResponse;
use Illuminate\Support\Facades\Hash;
class UsersController
{
/**
* 利用者分類選択肢を取得
*/
private function buildCategoryOptions(): array
{
return DB::table('usertype')
->orderBy('user_categoryid', 'asc')
->get()
->mapWithKeys(function ($row) {
$label = collect([
$row->usertype_subject1 ?? '',
$row->usertype_subject2 ?? '',
$row->usertype_subject3 ?? '',
])->filter(fn($v) => $v !== '')->implode('/');
return [$row->user_categoryid => $label !== '' ? $label : (string) $row->user_categoryid];
})
->toArray();
}
/**
* 利用者分類1(一覧絞り込み用)
*/
private function buildCategory1Options()
{
return DB::table('regular_contract')
->join('usertype', 'regular_contract.user_categoryid', '=', 'usertype.user_categoryid')
->whereNotNull('usertype.usertype_subject1')
->distinct()
->orderBy('usertype.usertype_subject1')
->pluck('usertype.usertype_subject1');
}
/**
* 利用者分類2(一覧絞り込み用)
*/
private function buildCategory2Options()
{
return DB::table('regular_contract')
->join('usertype', 'regular_contract.user_categoryid', '=', 'usertype.user_categoryid')
->whereNotNull('usertype.usertype_subject2')
->distinct()
->orderBy('usertype.usertype_subject2')
->pluck('usertype.usertype_subject2');
}
/**
* 利用者分類3(一覧絞り込み用)
*/
private function buildCategory3Options()
{
return DB::table('regular_contract')
->join('usertype', 'regular_contract.user_categoryid', '=', 'usertype.user_categoryid')
->whereNotNull('usertype.usertype_subject3')
->distinct()
->orderBy('usertype.usertype_subject3')
->pluck('usertype.usertype_subject3');
}
/**
* 利用者一覧
* - テーブル名: user
* - 主キー: user_seqAUTO_INCREMENT:contentReference[oaicite:3]{index=3}
* - よく使う表示項目のみ選択(必要に応じて拡張)
*/
// 先确保use App\Http\Controllers\Controller; を追加し、必要なら extends Controller にする
// use Symfony\Component\HttpFoundation\StreamedResponse; は既にOK
/**
* 一覧(絞り込み + ページング)
*/
public function list(Request $request)
{
// ▼ 並び順(ホワイトリスト)
$sortable = [
'user_seq',
'user_id',
'member_id',
'contract_number',
'user_tag_serial',
'user_tag_serial_64',
'qr_code',
'tag_qr_flag',
'user_aid',
'user_place_qrid',
'user_categoryid',
'user_name',
'user_birthdate',
'user_age',
'user_mobile',
'user_homephone',
'user_primemail',
'user_submail',
'user_school',
];
$sort = $request->input('sort', 'user_seq');
$dirParam = strtolower((string) $request->input('dir', $request->input('sort_type', 'asc')));
$sortType = $dirParam === 'asc' ? 'asc' : 'desc';
if (!in_array($sort, $sortable, true)) {
$sort = 'user_seq';
}
// ▼ 絞り込み値('' のときだけ無視。'0' は有効値として扱う)
$user_id = trim((string) $request->input('user_id', ''));
$member_id = trim((string) $request->input('member_id', ''));
$user_tag_serial = trim((string) $request->input('user_tag_serial', ''));
$user_phonetic = trim((string) $request->input('user_phonetic', ''));
$phone = trim((string) $request->input('phone', '')); // 携帯/自宅の両方対象
$crime = trim((string) $request->input('crime', '')); // 防犯登録番号(暫定: qr_code
$email = trim((string) $request->input('email', ''));
$user_category1 = trim((string) $request->input('user_category1', ''));
$user_category2 = trim((string) $request->input('user_category2', ''));
$user_category3 = trim((string) $request->input('user_category3', ''));
$tag_qr_flag = (string) $request->input('tag_qr_flag', ''); // 0=タグ / 1=QR
$quit_flag = (string) $request->input('quit_flag', ''); // 0=いいえ / 1=はい
$quit_from = (string) $request->input('quit_from', ''); // YYYY-MM-DD
$quit_to = (string) $request->input('quit_to', ''); // YYYY-MM-DD
// ▼ ベースクエリ(一覧で使う列が多いので一旦 * を許容)
$query = DB::table('user')
->leftJoin('usertype', 'user.user_categoryid', '=', 'usertype.user_categoryid')
->select(
'user.*',
'usertype.usertype_subject1',
'usertype.usertype_subject2',
'usertype.usertype_subject3'
);
// ▼ テキスト系
if ($user_id !== '')
$query->where('user.user_id', 'like', "%{$user_id}%");
if ($member_id !== '')
$query->where('user.member_id', 'like', "%{$member_id}%");
if ($user_tag_serial !== '')
$query->where('user.user_tag_serial', 'like', "%{$user_tag_serial}%");
if ($user_phonetic !== '')
$query->where('user.user_phonetic', 'like', "%{$user_phonetic}%");
if ($phone !== '') {
$query->where(function ($w) use ($phone) {
$w->where('user.user_mobile', 'like', "%{$phone}%")
->orWhere('user.user_homephone', 'like', "%{$phone}%");
});
}
if ($crime !== '') {
// ※ dump に防犯登録番号の明確なカラムが無いため暫定的に qr_code を対象
$query->where('user.qr_code', 'like', "%{$crime}%");
}
if ($email !== '')
$query->where('user.user_primemail', 'like', "%{$email}%");
// ▼ セレクト/ラジオ('' 以外なら適用。'0' も通す)
if ($user_category1 !== '') {
$query->where('usertype.usertype_subject1', $user_category1);
}
if ($user_category2 !== '') {
$query->where('usertype.usertype_subject2', $user_category2);
}
if ($user_category3 !== '') {
$query->where('usertype.usertype_subject3', $user_category3);
}
if ($tag_qr_flag !== '')
$query->where('user.tag_qr_flag', (int) $tag_qr_flag);
if ($quit_flag !== '')
$query->where('user.user_quit_flag', (int) $quit_flag);
// ▼ 日付範囲(退会日)
if ($quit_from !== '')
$query->where('user.user_quitday', '>=', $quit_from);
if ($quit_to !== '')
$query->where('user.user_quitday', '<=', $quit_to);
// ▼ 並び & ページング
$list = $query->orderBy("user.{$sort}", $sortType)->paginate(50);
// ▼ 画面に渡す(フォーム再描画用に絞り込み値も)
return view('admin.users.list', [
'list' => $list,
'sort' => $sort,
'sort_type' => $sortType,
'dir' => $sortType,
'user_id' => $user_id,
'member_id' => $member_id,
'user_tag_serial' => $user_tag_serial,
'user_phonetic' => $user_phonetic,
'phone' => $phone,
'crime' => $crime,
'email' => $email,
'tag_qr_flag' => $tag_qr_flag,
'quit_flag' => $quit_flag,
'quit_from' => $quit_from,
'quit_to' => $quit_to,
'user_category1' => $user_category1,
'user_category2' => $user_category2,
'user_category3' => $user_category3,
'category1Options' => $this->buildCategory1Options(),
'category2Options' => $this->buildCategory2Options(),
'category3Options' => $this->buildCategory3Options(),
]);
}
/**
* CSV 出力(一覧と同じ絞り込みを適用)
*/
public function export(Request $request): StreamedResponse
{
$q = DB::table('user');
// ▼ テキスト系
if (($v = trim((string) $request->input('user_id', ''))) !== '')
$q->where('user_id', 'like', "%{$v}%");
if (($v = trim((string) $request->input('user_tag_serial', ''))) !== '')
$q->where('user_tag_serial', 'like', "%{$v}%");
if (($v = trim((string) $request->input('user_phonetic', ''))) !== '')
$q->where('user_phonetic', 'like', "%{$v}%");
if (($v = trim((string) $request->input('phone', ''))) !== '') {
$q->where(function ($w) use ($v) {
$w->where('user_mobile', 'like', "%{$v}%")
->orWhere('user_homephone', 'like', "%{$v}%");
});
}
if (($v = trim((string) $request->input('email', ''))) !== '')
$q->where('user_primemail', 'like', "%{$v}%");
// ▼ セレクト/ラジオ('' だけスキップ。'0' は適用)
$q->leftJoin('usertype', 'user.user_categoryid', '=', 'usertype.user_categoryid');
if (($v = trim((string) $request->input('user_category1', ''))) !== '') {
$q->where('usertype.usertype_subject1', $v);
}
if (($v = trim((string) $request->input('user_category2', ''))) !== '') {
$q->where('usertype.usertype_subject2', $v);
}
if (($v = trim((string) $request->input('user_category3', ''))) !== '') {
$q->where('usertype.usertype_subject3', $v);
}
$val = (string) $request->input('tag_qr_flag', '');
if ($val !== '')
$q->where('tag_qr_flag', (int) $val);
$val = (string) $request->input('quit_flag', '');
if ($val !== '')
$q->where('user_quit_flag', (int) $val);
// ▼ 退会日 範囲
if (($from = (string) $request->input('quit_from', '')) !== '')
$q->where('user_quitday', '>=', $from);
if (($to = (string) $request->input('quit_to', '')) !== '')
$q->where('user_quitday', '<=', $to);
// ▼ 取得・並び
$q->orderBy('user_seq', 'desc');
$rows = $q->get([
'user_id',
'tag_qr_flag',
'user_categoryid',
'user_name',
'user_phonetic',
'user_birthdate',
'user_age',
'user_mobile',
'user_homephone',
'user_primemail',
'user_idcard',
'user_idcard_chk_flag',
'user_chk_day',
'user_quit_flag',
'user_quitday',
]);
$headers = [
'利用者ID',
'タグ/QRフラグ',
'利用者分類ID',
'利用者名',
'フリガナ',
'生年月日',
'年齢',
'携帯電話番号',
'自宅電話番号',
'メールアドレス',
'本人確認書類',
'本人確認チェック済',
'本人確認日時',
'退会フラグ',
'退会日',
];
$filename = 'users_' . date('Ymd_His') . '.csv';
return response()->streamDownload(function () use ($headers, $rows) {
// ▼ BOMExcel対策
echo "\xEF\xBB\xBF";
$out = fopen('php://output', 'w');
fputcsv($out, $headers);
foreach ($rows as $r) {
// ▼ 表示値変換
$tagQr = ((int) $r->tag_qr_flag === 1) ? '' : 'タグ';
$idChk = ((int) ($r->user_idcard_chk_flag ?? 0) === 1) ? '手動チェックOK' : '未チェック';
$quitFlg = ((int) $r->user_quit_flag === 1) ? 'はい' : 'いいえ';
$birth = $r->user_birthdate ? mb_substr($r->user_birthdate, 0, 10) : '';
$chkDay = $r->user_chk_day ? mb_substr($r->user_chk_day, 0, 10) : '';
$quitDay = $r->user_quitday ? mb_substr($r->user_quitday, 0, 10) : '';
fputcsv($out, [
$r->user_id,
$tagQr,
$r->user_categoryid,
$r->user_name,
$r->user_phonetic,
$birth,
$r->user_age,
$r->user_mobile,
$r->user_homephone,
$r->user_primemail,
$r->user_idcard,
$idChk,
$chkDay,
$quitFlg,
$quitDay,
]);
}
fclose($out);
}, $filename, [
'Content-Type' => 'text/csv; charset=UTF-8',
'Content-Disposition' => 'attachment; filename="' . $filename . '"',
]);
}
/**
* 利用者登録GET: 画面表示 / POST: 登録実行)
* - 必須は最小限user_id, user_name, user_gender, user_primemail
* - created_at/updated_at DB 側に任せるかここで now() を入れてもOK
*/
public function add(Request $request)
{
if ($request->isMethod('get')) {
return view('admin.users.add');
}
// ▼ バリデーションuser_id は半角数字のみ)
$rules = [
'user_id' => ['required', 'regex:/^\d+$/', 'digits_between:1,10'], // 半角数字最大10桁
'user_name' => ['required', 'string', 'max:255'],
'user_pass' => ['required', 'string', 'min:8', 'confirmed'],
// 任意
'user_primemail' => ['nullable', 'email', 'max:255'],
'user_gender' => ['nullable', 'in:男性,女性'],
'member_id' => ['nullable', 'string', 'max:255'],
'user_mobile' => ['nullable', 'string', 'max:255'],
'user_homephone' => ['nullable', 'string', 'max:255'],
'user_birthdate' => ['nullable', 'date'],
'user_categoryid' => ['nullable', 'integer'],
];
// ▼ エラーメッセージ(日本語)
$messages = [
'user_id.required' => '利用者IDは必須です。',
'user_id.regex' => '利用者IDは半角数字のみで入力してください。',
'user_id.digits_between' => '利用者IDは最大10桁以内で入力してください。',
'user_name.required' => '氏名は必須です。',
'user_pass.required' => 'パスワードは必須です。',
'user_pass.min' => 'パスワードは8文字以上で入力してください。',
'user_pass.confirmed' => 'パスワードと確認用パスワードが一致しません。',
];
// ▼ 属性名(日本語ラベル)
$attributes = [
'user_id' => '利用者ID',
'user_name' => '氏名',
'user_gender' => '性別',
'user_primemail' => '主メール',
];
$v = Validator::make($request->all(), $rules, $messages, $attributes);
if ($v->fails()) {
return back()->withErrors($v)->withInput();
}
// 実在カラム名に合わせて挿入(不要なら削る/必要なら増やす)
$data = [
'user_id' => $request->input('user_id'),
'user_name' => $request->input('user_name'),
'user_gender' => $request->input('user_gender'),
'user_primemail' => $request->input('user_primemail'),
'member_id' => $request->input('member_id'),
'user_mobile' => $request->input('user_mobile'),
'user_homephone' => $request->input('user_homephone'),
'user_birthdate' => $request->input('user_birthdate'),
'user_categoryid' => $request->input('user_categoryid'),
'created_at' => now(),
'updated_at' => now(),
];
DB::table('user')->insert($data);
return redirect()->route('users')->with('success', '利用者を登録しました。');
}
/**
* 利用者編集GET: 表示 / POST: 更新)
*/
public function edit(Request $request, int $seq)
{
$user = DB::table('user')->where('user_seq', $seq)->first();
if (!$user) {
abort(404, '利用者情報が見つかりません。');
}
$operators = DB::table('ope')
->select('ope_id', 'ope_name')
->orderBy('ope_name')
->get();
$categoryOptions = $this->buildCategoryOptions();
// ▼ 退会処理専用hiddenフィールド quit_action があれば退会処理)
if ($request->has('quit_action')) {
DB::table('user')->where('user_seq', $seq)->update([
'user_quit_flag' => 1,
'user_quitday' => now()->format('Y-m-d'),
'ope_id' => $request->input('ope_id') ?? auth()->user()->ope_id ?? null,
'updated_at' => now(),
]);
return redirect()
->route('users_edit', ['seq' => $seq])
->with('status', '退会処理が完了しました。');
}
if ($request->isMethod('get')) {
return view('admin.users.edit', [
'user' => $user,
'operators' => $operators,
'categoryOptions' => $categoryOptions,
]);
}
$rules = [
'user_id' => ['required', 'regex:/^\d+$/', 'digits_between:1,10'],
'user_name' => ['required', 'string', 'max:255'],
'user_pass' => ['nullable', 'string', 'min:8', 'confirmed'],
'user_primemail' => ['nullable', 'email', 'max:255'],
'user_gender' => ['nullable', 'in:男性,女性,未入力'],
'member_id' => ['nullable', 'string', 'max:255'],
'user_mobile' => ['nullable', 'string', 'max:255'],
'user_homephone' => ['nullable', 'string', 'max:255'],
'user_birthdate' => ['nullable', 'date'],
'user_categoryid' => ['nullable', 'integer', 'exists:usertype,user_categoryid'],
'user_age' => ['nullable', 'integer', 'min:0'],
'user_chk_day' => ['nullable', 'date'],
'user_quitday' => ['nullable', 'date'],
'ope_id' => ['nullable', 'integer', 'exists:ope,ope_id'],
];
$messages = [
'user_id.required' => '利用者IDは必須です。',
'user_id.regex' => '利用者IDは半角数字のみで入力してください。',
'user_id.digits_between' => '利用者IDは最大10桁以内で入力してください。',
'user_name.required' => '氏名は必須です。',
];
$validator = Validator::make($request->all(), $rules, $messages);
if ($validator->fails()) {
return back()->withErrors($validator)->withInput();
}
$data = [
'user_id' => $request->input('user_id'),
'member_id' => $request->input('member_id'),
'user_name' => $request->input('user_name'),
'user_gender' => $request->input('user_gender'),
'user_mobile' => $request->input('user_mobile'),
'user_homephone' => $request->input('user_homephone'),
'user_birthdate' => $request->input('user_birthdate'),
'user_age' => $request->input('user_age'),
'user_categoryid' => $request->input('user_categoryid'),
'user_phonetic' => $request->input('user_phonetic'),
'user_tag_serial' => $request->input('user_tag_serial'),
'user_tag_serial_64' => $request->input('user_tag_serial_64'),
'qr_code' => $request->input('qr_code'),
'tag_qr_flag' => $request->input('tag_qr_flag', '0'),
'user_aid' => $request->input('user_aid'),
'user_place_qrid' => $request->input('user_place_qrid'),
'user_primemail' => $request->input('user_primemail'),
'user_submail' => $request->input('user_submail'),
'ward_residents' => $request->input('ward_residents'),
'user_workplace' => $request->input('user_workplace'),
'user_school' => $request->input('user_school'),
'user_graduate' => $request->input('user_graduate'),
'user_idcard' => $request->input('user_idcard'),
'user_idcard_chk_flag' => $request->input('user_idcard_chk_flag', '0'),
'user_chk_day' => $request->input('user_chk_day'),
'user_chk_opeid' => $request->input('ope_id'),
'ope_id' => $request->input('ope_id'),
'user_regident_zip' => $request->input('user_regident_zip'),
'user_regident_pre' => $request->input('user_regident_pre'),
'user_regident_city' => $request->input('user_regident_city'),
'user_regident_add' => $request->input('user_regident_add'),
'user_relate_zip' => $request->input('user_relate_zip'),
'user_relate_pre' => $request->input('user_relate_pre'),
'user_relate_city' => $request->input('user_relate_city'),
'user_relate_add' => $request->input('user_relate_add'),
'user_tag_issue' => $request->input('user_tag_issue'),
'issue_permission' => $request->input('issue_permission', '1'),
'user_quit_flag' => $request->input('user_quit_flag', '0'),
'user_quitday' => $request->input('user_quitday'),
'user_remarks' => $request->input('user_remarks'),
'updated_at' => now(),
];
if ($request->filled('user_pass')) {
$data['user_pass'] = Hash::make($request->input('user_pass'));
}
DB::table('user')->where('user_seq', $seq)->update($data);
return redirect()
->route('users_edit', ['seq' => $seq])
->with('status', '利用者情報を更新しました。');
}
/**
* 利用者削除POST: 削除実行)
* - user_seq をキーに削除処理を行う
* - 削除前に存在確認を行い、存在しない場合はエラーを返す
* - 削除完了後、一覧画面へリダイレクト
*/
public function delete(Request $request)
{
// ▼ パラメータ取得
$userSeq = (int) $request->input('user_seq');
// ▼ 対象レコード存在確認
$user = DB::table('user')->where('user_seq', $userSeq)->first();
if (!$user) {
// 該当データなし
return redirect()
->route('users')
->with('error', '利用者情報が見つかりません。');
}
// ▼ 削除処理実行
DB::table('user')->where('user_seq', $userSeq)->delete();
// ▼ 正常終了メッセージを一覧画面に表示
return redirect()
->route('users')
->with('success', '利用者を削除しました。');
}
}

View File

@ -1,115 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use App\Http\Requests\UsertypeRequest;
use App\Models\Usertype;
use App\Services\UsertypeService;
use Illuminate\Http\Request;
class UsertypeController extends Controller
{
public function __construct(
private readonly UsertypeService $service
) {}
public function index(Request $request)
{
// sort の許可値チェック
$sort = $request->query('sort', 'user_categoryid');
$allowSort = [
'user_categoryid',
'sort_order',
'usertype_subject1',
'usertype_subject2',
'usertype_subject3',
'print_name',
];
if (!in_array($sort, $allowSort, true)) {
$sort = 'user_categoryid';
}
$sortType = strtolower($request->query('sort_type', 'asc'));
if (!in_array($sortType, ['asc', 'desc'], true)) {
$sortType = 'asc';
}
$list = $this->service->paginateList(
$request->query('filter_sort_order'),
$request->query('filter_usertype_subject1'),
$request->query('filter_usertype_subject2'),
$request->query('filter_usertype_subject3'),
$sort,
$sortType
);
return view('admin.usertypes.index', [
'list' => $list,
'sort' => $sort,
'sort_type' => $sortType,
'filter_sort_order' => $request->query('filter_sort_order', ''),
'filter_usertype_subject1' => $request->query('filter_usertype_subject1', ''),
'filter_usertype_subject2' => $request->query('filter_usertype_subject2', ''),
'filter_usertype_subject3' => $request->query('filter_usertype_subject3', ''),
]);
}
public function create()
{
return view('admin.usertypes.create', [
'isEdit' => false,
]);
}
public function store(UsertypeRequest $request)
{
$this->service->create($request->validated());
return redirect()
->route('usertypes.index')
->with('success', '登録が完了しました。');
}
public function edit(int $id)
{
$record = Usertype::query()->findOrFail($id);
return view('admin.usertypes.edit', [
'record' => $record,
'isEdit' => true,
]);
}
public function update(UsertypeRequest $request, int $id)
{
$record = Usertype::query()->findOrFail($id);
$this->service->update($record, $request->validated());
return redirect()
->route('usertypes.index')
->with('success', '更新が完了しました。');
}
public function destroy(Request $request)
{
$ids = $request->input('pk', []);
if (!is_array($ids)) {
$ids = [$ids];
}
if ($ids === []) {
return redirect()
->route('usertypes.index')
->with('error', '削除対象を1件以上選択してください。');
}
Usertype::query()->whereIn('user_categoryid', $ids)->delete();
return redirect()
->route('usertypes.index')
->with('success', '削除が完了しました。');
}
}

View File

@ -38,36 +38,76 @@ class UsingStatusController extends Controller
public function index(Request $request, UsingStatusService $service)
{
try {
$parkId = $request->input('park_id'); // GET/POST どちらでも取得
// CSRF トークンの自動検証Laravel 12標準機能
// リクエストパラメータの取得
// Laravel 12変更点$request->input()の使用を推奨
$parkId = $request->input('park_id', null);
$isSearchRequest = $request->has('search') || $request->isMethod('post');
// ログ出力(デバッグ用)
Log::info('区画別利用率状況ページアクセス', [
'park_id' => $parkId,
'is_search' => $isSearchRequest,
'method' => $request->method()
]);
// 駐輪場一覧の取得(選択用ドロップダウン)
$parkList = $service->getParkList();
// 駐輪場が選択されている場合のみ取得。「全て/空」の場合は空コレクションを返す
$utilizationStats = collect();
if ($parkId !== null && $parkId !== '') {
// 利用率統計データの取得
// Laravel 12変更点デフォルトで全データを表示ユーザー選択不要
$utilizationStats = $service->getUtilizationStats($parkId);
// データが空の場合の処理
if ($utilizationStats->isEmpty() && $parkId) {
// 指定された駐輪場のデータが見つからない場合
return redirect()->route('using_status')
->with('warning', '選択された駐輪場のデータが見つかりませんでした。');
}
$totals = $service->calculateTotals($utilizationStats);
$hasData = $utilizationStats->isNotEmpty();
$isSearchRequest = ($request->isMethod('post') || $request->has('park_id'));
$selectedPark = $parkList->firstWhere('park_id', $parkId);
// 検索要求でない場合は全データを表示
if (!$isSearchRequest && !$parkId) {
$utilizationStats = $service->getUtilizationStats(null);
}
// 合計値の計算
$totals = $service->calculateTotals($utilizationStats);
// 選択された駐輪場の情報
$selectedPark = null;
if ($parkId && $parkList->isNotEmpty()) {
$selectedPark = $parkList->firstWhere('park_id', $parkId);
}
// ビューに渡すデータの準備
$viewData = [
'parkList' => $parkList, // 駐輪場選択用リスト
'utilizationStats' => $utilizationStats, // 利用率統計データ
'totals' => $totals, // 合計値
'selectedParkId' => $parkId, // 選択された駐輪場ID
'selectedPark' => $selectedPark, // 選択された駐輪場情報
'isSearchRequest' => $isSearchRequest, // 検索リクエストかどうか
'hasData' => $utilizationStats->isNotEmpty() // データが存在するかどうか
];
// 成功メッセージの設定(検索時)
if ($isSearchRequest && $utilizationStats->isNotEmpty()) {
session()->flash('success', '利用率データを正常に取得しました。');
}
return view('admin.using_status.index', $viewData);
return view('admin.using_status.index', [
'parkList' => $parkList,
'utilizationStats' => $utilizationStats,
'totals' => $totals,
'selectedParkId' => $parkId,
'selectedPark' => $selectedPark,
'isSearchRequest' => $isSearchRequest,
'hasData' => $hasData,
]);
} catch (\Exception $e) {
// エラーログの出力
Log::error('区画別利用率状況ページエラー', [
'error' => $e->getMessage(),
'file' => $e->getFile(),
'line' => $e->getLine(),
'park_id' => $parkId ?? null,
'park_id' => $parkId ?? null
]);
// エラー発生時のリダイレクト
return redirect()->route('using_status')
->with('error', 'データの取得中にエラーが発生しました。管理者にお問い合わせください。');
}
@ -160,7 +200,7 @@ class UsingStatusController extends Controller
foreach ($stats as $stat) {
$rows[] = [
(string) $stat->park_name,
(string) $stat->psection_subject,
(string) $stat->ptype_subject,
(string) $stat->park_limit,
(string) $stat->current_count,
(string) $stat->available,

View File

@ -1,250 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use App\Models\Zone;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Validator;
use App\Models\Park;
use App\Models\Ptype;
use App\Models\Psection;
class ZoneController extends Controller
{
/**
* 一覧表示(絞り込み対応)
*/
public function list(Request $request)
{
if ($request->input('action') === 'reset') {
return redirect()->route('zones');
}
// ソート設定
$sort = $request->input('sort', 'zone_id');
$sort_type = $request->input('sort_type', 'asc');
// ベースクエリ
$query = Zone::query();
// === 絞り込み条件 ===
if ($request->filled('zone_id')) {
$query->where('zone_id', $request->zone_id);
}
if ($request->filled('zone_name')) {
$query->where('zone_name', 'LIKE', "%{$request->zone_name}%");
}
if ($request->filled('park_id')) {
$query->where('park_id', $request->park_id);
}
if ($request->filled('ptype_id')) {
$query->where('ptype_id', $request->ptype_id);
}
if ($request->filled('psection_id')) {
$query->where('psection_id', $request->psection_id);
}
if ($request->has('use_flag') && $request->use_flag !== '') {
$query->where('use_flag', $request->use_flag);
}
// ページネーション
$zones = $query->orderBy($sort, $sort_type)->paginate(20);
// === 下拉选单用の一覧データ ===
$parkList = DB::table('park')->pluck('park_name', 'park_id');
$ptypeList = DB::table('ptype')->pluck('ptype_subject', 'ptype_id');
$psectionList = DB::table('psection')->pluck('psection_subject', 'psection_id');
return view('admin.zones.list', compact(
'zones', 'sort', 'sort_type',
'parkList', 'ptypeList', 'psectionList'
));
}
/**
* 新規登録(画面/処理)
*/
public function add(Request $request)
{
if ($request->isMethod('get')) {
$parkList = DB::table('park')->pluck('park_name', 'park_id');
$ptypeList = DB::table('ptype')->pluck('ptype_subject', 'ptype_id');
$psectionList = DB::table('psection')->pluck('psection_subject', 'psection_id');
return view('admin.zones.add', [
'isEdit' => false,
'record' => new Zone(),
'parkList' => $parkList,
'ptypeList' => $ptypeList,
'psectionList' => $psectionList,
]);
}
// ▼ POST時バリデーション
$rules = [
'park_id' => 'required|integer',
'ptype_id' => 'required|integer',
'psection_id' => 'required|integer',
'zone_name' => 'required|string|max:255',
'zone_number' => 'nullable|integer|min:0',
'zone_standard' => 'nullable|integer|min:0',
'zone_tolerance' => 'nullable|integer|min:0',
'zone_sort' => 'nullable|integer|min:0',
];
$messages = [
'park_id.required' => '駐輪場は必須です。',
'ptype_id.required' => '駐輪分類は必須です。',
'psection_id.required' => '車種区分は必須です。',
'zone_name.required' => 'ゾーン名は必須です。',
];
$validator = Validator::make($request->all(), $rules, $messages);
if ($validator->fails()) {
return redirect()->back()->withErrors($validator)->withInput();
}
// ▼ 登録処理
DB::transaction(function () use ($request) {
$new = new Zone();
$new->fill($request->only([
'park_id',
'ptype_id',
'psection_id',
'zone_name',
'zone_number',
'zone_standard',
'zone_tolerance',
'zone_sort',
]));
$new->save();
});
return redirect()->route('zones')->with('success', '登録しました。');
}
/**
* 編集(画面/処理)
*/
public function edit(Request $request, $id)
{
// 該当データ取得
$record = Zone::find($id);
if (!$record) {
abort(404);
}
$parkList = DB::table('park')->pluck('park_name', 'park_id');
$ptypeList = DB::table('ptype')->pluck('ptype_subject', 'ptype_id');
$psectionList = DB::table('psection')->pluck('psection_subject', 'psection_id');
if ($request->isMethod('get')) {
// 編集画面表示
return view('admin.zones.edit', [
'isEdit' => true,
'record' => $record,
'parkList' => $parkList,
'ptypeList' => $ptypeList,
'psectionList' => $psectionList,
]);
}
// ▼ POST時バリデーション
$rules = [
'park_id' => 'required|integer',
'ptype_id' => 'required|integer',
'psection_id' => 'required|integer',
'zone_name' => 'required|string|max:255',
'zone_number' => 'nullable|integer|min:0',
'zone_standard' => 'nullable|integer|min:0',
'zone_tolerance' => 'nullable|integer|min:0',
'zone_sort' => 'nullable|integer|min:0',
];
$messages = [
'park_id.required' => '駐輪場は必須です。',
'ptype_id.required' => '駐輪分類は必須です。',
'psection_id.required' => '車種区分は必須です。',
'zone_name.required' => 'ゾーン名は必須です。',
];
$validator = Validator::make($request->all(), $rules, $messages);
if ($validator->fails()) {
return redirect()->back()->withErrors($validator)->withInput();
}
// ▼ 更新処理
DB::transaction(function () use ($request, $record) {
$record->fill($request->only([
'park_id',
'ptype_id',
'psection_id',
'zone_name',
'zone_number',
'zone_standard',
'zone_tolerance',
'zone_sort',
]));
$record->save();
});
return redirect()->route('zones')->with('success', '更新しました。');
}
/**
* 削除(単一/複数対応)
*/
public function delete(Request $request)
{
$ids = [];
// 単一削除id 指定)
if ($request->filled('id')) {
$ids[] = (int) $request->input('id');
}
// 複数削除(チェックボックス pk[]
if (is_array($request->input('pk'))) {
$ids = array_merge($ids, $request->input('pk'));
}
// 重複除去 & 数値変換
$ids = array_values(array_unique(array_map('intval', $ids)));
// 削除対象がない場合
if (empty($ids)) {
return back()->with('error', '削除対象が選択されていません。');
}
// 削除実行
Zone::whereIn('zone_id', $ids)->delete();
return redirect()->route('zones')->with('success', '削除しました。');
}
/**
* バリデーション共通化
*/
private function validateZone(Request $request)
{
return $request->validate([
'zone_name' => 'required|string|max:50',
'park_id' => 'required|integer',
'ptype_id' => 'nullable|integer',
'psection_id' => 'nullable|integer',
'zone_number' => 'nullable|integer|min:0',
'zone_standard' => 'nullable|integer|min:0',
'zone_tolerance' => 'nullable|integer|min:0',
'use_flag' => 'nullable|boolean',
'memo' => 'nullable|string|max:255',
]);
}
}

View File

@ -1,138 +0,0 @@
<?php
namespace App\Http\Controllers\Auth;
use App\Http\Controllers\Controller;
use App\Mail\EmailOtpMail;
use App\Models\Ope;
use App\Services\EmailOtpService;
use Illuminate\Foundation\Validation\ValidatesRequests;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Log;
use Illuminate\Support\Facades\Mail;
/**
* OTP メール認証コントローラー
*
* ログイン後の OTPワンタイムパスワード検証プロセスを処理します
*/
class EmailOtpController extends Controller
{
use ValidatesRequests;
protected EmailOtpService $otpService;
/**
* コンストラクタ
*/
public function __construct(EmailOtpService $otpService)
{
$this->otpService = $otpService;
}
/**
* OTP 入力フォームを表示
*
* ログイン直後、ユーザーに6桁の OTP コードを入力させるページを表示します
* メールアドレスはマスク表示a***@example.com
*/
public function show(Request $request)
{
/** @var Ope */
$user = $request->user();
// メールアドレスをマスク最初の1文字のみ表示
$maskedEmail = $this->otpService->maskEmail($user->ope_mail);
// 次の重発までの待機時間
$resendWaitSeconds = $this->otpService->getResendWaitSeconds($user);
return view('auth.otp', [
'maskedEmail' => $maskedEmail,
'resendWaitSeconds' => $resendWaitSeconds,
]);
}
/**
* OTP コード検証
*
* ユーザーが入力した6桁のコードを検証します
*
* 成功時email_otp_verified_at を更新し、ホームページにリダイレクト
* 失敗時:エラーメッセージと共に OTP 入力フォームに戻す
*/
public function verify(Request $request)
{
// 入力値を検証
$validated = $this->validate($request, [
'code' => ['required', 'string', 'size:6', 'regex:/^\d{6}$/'],
], [
'code.required' => 'OTPコードは必須です。',
'code.size' => 'OTPコードは6桁である必要があります。',
'code.regex' => 'OTPコードは6桁の数字である必要があります。',
]);
/** @var Ope */
$user = $request->user();
// OTP コードを検証
if ($this->otpService->verify($user, $validated['code'])) {
// 検証成功:ホームページにリダイレクト
return redirect()->intended(route('home'))
->with('success', 'OTP認証が完了しました。');
}
// 検証失敗:エラーメッセージと共に戻す
return back()
->withInput()
->with('error', '無効なまたは有効期限切れのOTPコードです。');
}
/**
* OTP コード再送
*
* ユーザーが OTP コード再送をリクエストした場合に実行
* 60秒以内の連続再送はブロックします
*/
public function resend(Request $request)
{
/** @var Ope */
$user = $request->user();
// 重発可能か確認
if (!$this->otpService->canResend($user)) {
$waitSeconds = $this->otpService->getResendWaitSeconds($user);
return back()->with('error', "{$waitSeconds} 秒待機してからリクエストしてください。");
}
try {
// 新しい OTP コードを発行
$otpCode = $this->otpService->issue($user);
// ope_mail はセミコロン区切りで複数アドレスを保持する可能性があるため、最初のアドレスのみ抽出
$operatorEmails = explode(';', trim($user->ope_mail));
$primaryEmail = trim($operatorEmails[0] ?? $user->ope_mail);
Log::info('OTP 再送メール送信開始: ' . $primaryEmail);
// メール送信
Mail::to($primaryEmail)->send(new EmailOtpMail(
$otpCode,
$user->name ?? 'ユーザー'
));
Log::info('OTP 再送メール送信完了: ' . $primaryEmail);
return back()->with('success', 'OTPコードを再送信しました。');
} catch (\Exception $e) {
Log::error('OTP resend error: ' . $e->getMessage(), [
'exception' => $e,
'user_id' => $user->ope_id ?? null,
'user_email' => $user->ope_mail ?? null,
]);
return back()->with('error', 'OTP送信に失敗しました。もう一度お試しください。');
}
}
}

View File

@ -1,112 +0,0 @@
<?php
namespace App\Http\Controllers\Auth;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Str;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Mail;
use Illuminate\Support\Facades\Log;
use Carbon\Carbon;
class ForgotPasswordController extends Controller
{
// パスワードリセット申請画面表示
public function showLinkRequestForm()
{
return view('auth.forgot-password');
}
// リセットメール送信
public function sendResetLinkEmail(Request $request)
{
$request->validate([
'email' => 'required|email',
'email_confirmation' => 'required|email|same:email',
], [
'email.required' => 'メールアドレスを入力してください。',
'email.email' => '正しいメールアドレス形式で入力してください。',
'email_confirmation.required' => '確認用メールアドレスを入力してください。',
'email_confirmation.email' => '正しいメールアドレス形式で入力してください。',
'email_confirmation.same' => 'メールアドレスが一致しません。',
]);
// ope_mailでユーザーを検索
$user = \App\Models\Ope::where('ope_mail', $request->input('email'))->first();
if (!$user) {
return back()->withErrors(['email' => '該当するユーザーが見つかりません。']);
}
// 5分間隔のメール送信制限チェック最新のトークンを対象
$lastToken = DB::table('password_reset_tokens')
->where('ope_mail', $user->ope_mail)
->orderByDesc('created_at')
->first();
if ($lastToken) {
// タイムゾーンを明示的に指定デフォルトはUTCで解析される可能性がある
$lastCreatedAt = Carbon::parse($lastToken->created_at, config('app.timezone'));
$now = now();
// 経過秒数で判定
$diffSeconds = $lastCreatedAt->diffInSeconds(now(), false);
$limitSeconds = 5 * 60; // 5分
if ($diffSeconds < $limitSeconds) {
$remainSeconds = $limitSeconds - $diffSeconds;
// 残り秒を「分」に変換端数は切り上げ1秒残りでも1分と表示
$waitMinutes = (int) ceil($remainSeconds / 60);
return back()->withErrors([
'email' => "パスワード再設定メールは5分以上の間隔を置いて送信してください。{$waitMinutes}分後に再度お試しください。"
]);
}
}
// トークン生成
$token = Str::random(60);
// SHA256ハッシュで保存セキュリティ向上
$tokenHash = hash('sha256', $token);
// トークン保存(既存レコードがあれば更新)
DB::table('password_reset_tokens')->updateOrInsert(
['ope_mail' => $user->ope_mail],
[
'token' => $tokenHash,
'created_at' => now(),
]
);
// メール送信
try {
$resetUrl = url('/reset-password?token=' . $token . '&email=' . urlencode($user->ope_mail));
$body = $user->ope_name . "\n\n" .
"So-Managerをご利用いただき、ありがとうございます。\n\n" .
"本メールは、パスワード再設定のご依頼を受けてお送りしております。\n\n" .
"以下のURLをクリックし、新しいパスワードを設定してください。\n\n" .
$resetUrl . "\n\n" .
"※このURLの有効期限は、24時間です。\n" .
"※有効期限を過ぎた場合は、再度パスワード再設定手続きを行ってください。\n" .
"※本メールにお心当たりがない場合は、本メールを破棄してください。\n\n" .
"_________________________________\n" .
"So-Manager サポートセンター\n" .
"E-mail : support@so-manager.com\n" .
"URL : https://www.so-manager.com/\n" .
"_________________________________";
Mail::raw($body, function ($message) use ($user) {
$message->to($user->ope_mail)
->from(config('mail.from.address'), config('mail.from.name'))
->subject('【【So-Manager】パスワード再設定のご案内】');
});
} catch (\Throwable $e) {
Log::error('ForgotPassword mail send failed', [
'to' => $user->ope_mail,
'error' => $e->getMessage(),
]);
return back()->withErrors(['email' => 'メール送信に失敗しました。サーバログを確認してください。']);
}
return back()->with('status', 'パスワード再設定メールを送信しました。');
}
}

View File

@ -3,12 +3,8 @@
namespace App\Http\Controllers\Auth;
use App\Http\Controllers\Controller;
use App\Mail\EmailOtpMail;
use App\Services\EmailOtpService;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
use Illuminate\Support\Facades\Log;
use Illuminate\Support\Facades\Mail;
use Illuminate\Support\Facades\RateLimiter;
use Illuminate\Support\Str;
use Illuminate\Validation\ValidationException;
@ -74,128 +70,60 @@ class LoginController extends Controller
/**
* ログインリクエストのバリデーション
*
* 仕様上の入力名(フォーム側)は ope_id / ope_pass のまま維持し、
* 内部の認証キーは login_id に寄せるlogin_id 統一)。
* Laravel 12変更点ope_id, ope_passフィールドを使用Laravel 5.7と同じ)
*
* @param \Illuminate\Http\Request $request
* @return void
*/
protected function validateLogin(Request $request)
{
// 個別未入力メッセージ仕様1,2
$request->validate([
'ope_id' => 'required|string', // フォームの入力名は現状維持(実体は login_id
'ope_pass' => 'required|string',
], [
'ope_id.required' => 'ログインIDが未入力です。',
'ope_pass.required' => 'パスワードが未入力です。',
'ope_id' => 'required|string', // オペレータID旧システムと同じ
'ope_pass' => 'required|string', // オペレータパスワード(旧システムと同じ)
]);
}
/**
* ログイン認証を試行
*
*
* - 画面入力ope_id= DBの login_id として扱う
* - 退職フラグチェックも login_id で取得して判定する
*
* @param \Illuminate\Http\Request $request
* @return bool
*/
protected function attemptLogin(Request $request)
{
// 先にIDのみでオペレータ取得して退職フラグを確認仕様5-1
$loginId = $request->input('ope_id'); // 入力名は ope_id だが中身は login_id
$operator = \App\Models\Ope::where('login_id', $loginId)->first();
if ($operator && (int)($operator->ope_quit_flag) === 1) {
// 退職扱いは認証失敗と同じメッセージ仕様5-1 と 3/4 統一表示)
return false;
}
// 認証実行credentials() で login_id / password を渡す)
return Auth::attempt($this->credentials($request), false);
}
/**
* 認証用の資格情報を取得
*
*
* - 認証IDを login_id に統一
* - パスワード入力ope_pass Auth 側の password にマッピング
* Laravel 12変更点ope_idとope_passをpasswordフィールドにマッピング
*
* @param \Illuminate\Http\Request $request
* @return array
*/
protected function credentials(Request $request)
{
return [
'login_id' => $request->input('ope_id'), // フォーム入力ope_id→ DB列 login_id
'password' => $request->input('ope_pass'), // フォーム入力ope_pass→ 認証用 password
];
// Laravel 5.7: ope_id, ope_passをそのまま使用
// Laravel 12: ope_passをpasswordにマッピングして認証
return $request->only('ope_id') + ['password' => $request->input('ope_pass')];
}
/**
* ログイン成功時のレスポンス
*
* OTP認証チェック
* - 24時間以内に OTP 認証済みの場合:/home にリダイレクト
* - 未認証の場合OTP メール送信 /otp にリダイレクト
*
* @param \Illuminate\Http\Request $request
* @return \Illuminate\Http\RedirectResponse|\Illuminate\Http\JsonResponse
*/
protected function sendLoginResponse(Request $request)
{
$request->session()->regenerate();
$this->clearLoginAttempts($request);
// 仕様5: ログインIDをセッション保持
// ここで保持する値も login_id入力名は ope_id のまま)
$request->session()->put('login_ope_id', $request->input('ope_id'));
// OTP認証チェック
$otpService = app(EmailOtpService::class);
$user = Auth::user();
// 24時間以内に OTP 認証済みの場合
if ($otpService->isOtpRecent($user)) {
return redirect()->intended($this->redirectTo);
}
// OTP 未認証の場合OTP コード発行 → メール送信 → /otp にリダイレクト
try {
$otpCode = $otpService->issue($user);
// ope_mail はセミコロン区切りで複数アドレスを保持する可能性があるため、最初のアドレスのみ抽出
$operatorEmails = explode(';', trim($user->ope_mail));
$primaryEmail = trim($operatorEmails[0] ?? $user->ope_mail);
Log::info('OTP メール送信開始: ' . $primaryEmail);
Mail::to($primaryEmail)->send(new EmailOtpMail(
$otpCode,
$user->name ?? 'ユーザー'
));
Log::info('OTP メール送信完了: ' . $primaryEmail);
return redirect()->route('otp.show')
->with('info', 'OTP認証コードをメール送信しました。');
} catch (\Exception $e) {
Log::error('OTP issue/send failed: ' . $e->getMessage(), [
'exception' => $e,
'user_id' => $user->ope_id ?? null,
'user_email' => $user->ope_mail ?? null,
]);
// メール送信エラー時は home にリダイレクトするか、カスタムエラーを返す
return redirect($this->redirectTo)
->with('warning', 'OTP認証メールの送信に失敗しました。');
}
}
/**
* ログイン失敗時のレスポンス
*
@ -204,7 +132,6 @@ class LoginController extends Controller
*/
protected function sendFailedLoginResponse(Request $request)
{
// 画面側のエラー表示キーは仕様に合わせて ope_id のまま
throw ValidationException::withMessages([
'ope_id' => [trans('auth.failed')],
]);
@ -238,8 +165,7 @@ class LoginController extends Controller
protected function hasTooManyLoginAttempts(Request $request)
{
return RateLimiter::tooManyAttempts(
$this->throttleKey($request),
5
$this->throttleKey($request), 5
);
}
@ -252,8 +178,7 @@ class LoginController extends Controller
protected function incrementLoginAttempts(Request $request)
{
RateLimiter::hit(
$this->throttleKey($request),
60
$this->throttleKey($request), 60
);
}
@ -282,10 +207,6 @@ class LoginController extends Controller
/**
* レート制限用のスロットルキーを取得
*
*
* - 画面入力名は ope_id のまま
* - ただし内容は login_id を想定ログインID文字列
*
* @param \Illuminate\Http\Request $request
* @return string
*/
@ -306,7 +227,6 @@ class LoginController extends Controller
$this->throttleKey($request)
);
// 画面側のエラー表示キーは仕様に合わせて ope_id のまま
throw ValidationException::withMessages([
'ope_id' => [trans('auth.throttle', ['seconds' => $seconds])],
]);

View File

@ -1,135 +0,0 @@
<?php
namespace App\Http\Controllers\Auth;
use App\Http\Controllers\Controller;
use App\Http\Requests\ChangePasswordRequest;
use Illuminate\Support\Facades\Auth;
use Illuminate\Support\Facades\Hash;
use Illuminate\Auth\Events\PasswordReset;
use Illuminate\Validation\ValidationException;
use Carbon\Carbon;
class PasswordChangeController extends Controller
{
/**
* コントローラーのコンストラクタ
*
* ログイン状態のユーザーのみアクセス可能
*/
public function __construct()
{
// Laravel 12: ミドルウェアは routes/web.php で処理
}
/**
* パスワード変更フォーム表示
*
* GET /password/change
*
* @return \Illuminate\View\View
*/
public function showChangeForm()
{
// 現在のユーザー情報を取得
$ope = Auth::user();
// ビューにパスワード変更が必須かどうかを判定するデータを渡す
$isRequired = $this->isPasswordChangeRequired($ope);
return view('auth.password-change', [
'isRequired' => $isRequired,
]);
}
/**
* パスワード変更成功画面を表示
*
* GET /password/change/success
*
* @return \Illuminate\View\View
*/
public function showSuccessPage()
{
return view('auth.password-change-success');
}
/**
* パスワード変更処理
*
* POST /password/change
*
* バリデーション:
* - 当前パスワード必填、8-64文字、ハッシュ値一致確認
* - 新パスワード必填、8-64文字、英数字+記号のみ、当前と異なる
* - 新パスワード確認:必填、新パスワードと一致
*
* @param \App\Http\Requests\ChangePasswordRequest $request
* @return \Illuminate\Http\RedirectResponse
*/
public function updatePassword(ChangePasswordRequest $request)
{
// 現在のユーザーを取得
$ope = Auth::user();
// ステップ1当前パスワードの認証ハッシュ値の確認
if (!Hash::check($request->current_password, $ope->ope_pass)) {
// バリデーションエラーとして当前パスワード が正しくないことを返す
throw ValidationException::withMessages([
'current_password' => '当前パスワードが正しくありません。',
]);
}
// ステップ2新パスワードが当前パスワードと同一でないか確認
// FormRequest側でも not_in ルールで確認しているが、ハッシュ値での二重チェック
if (Hash::check($request->password, $ope->ope_pass)) {
throw ValidationException::withMessages([
'password' => '新パスワードは当前パスワードと異なる必要があります。',
]);
}
// ステップ3データベース更新
// パスワードをハッシュ化して更新
$ope->ope_pass = Hash::make($request->password);
// パスワード変更時刻を現在時刻に更新
$ope->ope_pass_changed_at = Carbon::now();
// updated_at も自動更新される
$ope->save();
// イベント発火:パスワード変更イベント
event(new PasswordReset($ope));
// 成功画面へリダイレクト
return redirect()->route('password.change.success');
}
/**
* パスワード変更が必須かどうかを判定
*
* 初回ログイン時ope_pass_changed_at NULL)または
* 最後変更から3ヶ月以上経過している場合、TRUE を返す
*
* @param \App\Models\Ope $ope
* @return bool
*/
private function isPasswordChangeRequired($ope): bool
{
// パスワード変更日時が未設定(初回ログイン等)
if (is_null($ope->ope_pass_changed_at)) {
return true;
}
// パスワード変更から経過日数を計算
$changedAt = Carbon::parse($ope->ope_pass_changed_at);
$now = Carbon::now();
// 3ヶ月以上経過している場合
if ($now->diffInMonths($changedAt) >= 3) {
return true;
}
return false;
}
}

View File

@ -1,96 +0,0 @@
<?php
namespace App\Http\Controllers\Auth;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Hash;
use App\Models\Ope;
class ResetPasswordController extends Controller
{
public function showResetForm(Request $request)
{
$token = $request->query('token');
$email = $request->query('email');
// トークンのハッシュ化
$tokenHash = hash('sha256', $token);
// トークン・メール・24時間以内の有効性をチェック
$record = DB::table('password_reset_tokens')
->where('ope_mail', $email)
->where('token', $tokenHash)
->first();
if (!$record) {
return redirect()->route('forgot_password')
->withErrors(['email' => 'URLの有効期限24時間が切れました。再度お手続きを行ってください。']);
}
// 24時間チェック
$createdAt = \Carbon\Carbon::parse($record->created_at);
if ($createdAt->addHours(24)->isPast()) {
// 期限切れトークンを削除
DB::table('password_reset_tokens')
->where('ope_mail', $email)
->delete();
return redirect()->route('forgot_password')
->withErrors(['email' => 'URLの有効期限24時間が切れました。再度お手続きを行ってください。']);
}
return view('auth.reset-password', compact('token', 'email'));
}
public function reset(Request $request)
{
$request->validate([
'email' => 'required|email',
'token' => 'required',
'password' => 'required|confirmed|min:8',
]);
// トークンのハッシュ化
$tokenHash = hash('sha256', $request->token);
// トークン・メール・24時間以内の有効性をチェック
$record = DB::table('password_reset_tokens')
->where('ope_mail', $request->email)
->where('token', $tokenHash)
->first();
if (!$record) {
return back()->withErrors(['email' => 'URLの有効期限24時間が切れました。再度お手続きを行ってください。']);
}
// 24時間チェック
$createdAt = \Carbon\Carbon::parse($record->created_at);
if ($createdAt->addHours(24)->isPast()) {
// 期限切れトークンを削除
DB::table('password_reset_tokens')
->where('ope_mail', $request->email)
->delete();
return back()->withErrors(['email' => 'URLの有効期限24時間が切れました。再度お手続きを行ってください。']);
}
// パスワード更新
$user = Ope::where('ope_mail', $request->email)->first();
if (!$user) {
return back()->withErrors(['email' => 'ユーザーが見つかりません。']);
}
$user->password = Hash::make($request->password);
$user->updated_at = now();
// パスワード再設定時もope_pass_changed_atを更新
$user->ope_pass_changed_at = now();
$user->save();
// トークン削除
DB::table('password_reset_tokens')->where('ope_mail', $request->email)->delete();
// パスワード再設定成功画面へリダイレクト
return redirect()->route('password.change.success');
}
}

View File

@ -3,8 +3,6 @@
namespace App\Http\Controllers;
use Illuminate\Http\Request;
use App\Models\City;
use App\Services\MenuAccessService;
class HomeController extends Controller
{
@ -24,15 +22,10 @@ class HomeController extends Controller
* アプリケーションのダッシュボードを表示
* 認証後のホーム画面
*
* @param MenuAccessService $menuAccessService メニューアクセス制御サービス
* @return \Illuminate\Http\Response
*/
public function index(MenuAccessService $menuAccessService)
public function index()
{
// ログイン中のオペレータが表示可能な自治体一覧を取得
$visibleCities = $menuAccessService->visibleCities();
$isSorin = $menuAccessService->isSorin();
return view('home', compact('visibleCities', 'isSorin'));
return view('home');
}
}

View File

@ -1,427 +0,0 @@
<?php
namespace App\Http\Controllers\Webhook;
use App\Http\Controllers\Controller;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Log;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Queue;
use App\Models\Batch\BatchLog;
use App\Models\SettlementTransaction;
use App\Models\RegularContract;
use App\Jobs\ProcessSettlementJob;
use Carbon\Carbon;
class WellnetController extends Controller
{
/**
* Wellnet PUSH 受信 (SHJ-4A)
* 受け取った SOAP/XML を解析し、settlement_transaction に登録。
* 幂等性チェック、データ検証、キュー投入を含む完全な処理を実行。
*/
public function receive(Request $request)
{
$startedAt = now();
$raw = $request->getContent();
$md5Hash = md5($raw);
// IP白名单检查如果配置了
if (!$this->validateClientIp($request->ip())) {
Log::warning('SHJ-4A IP白名单验证失败', [
'ip' => $request->ip(),
'content_length' => strlen($raw),
]);
return $this->errorResponse('Unauthorized IP', 403);
}
// 事前にログ記録(サイズ上限に注意)
Log::info('SHJ-4A Wellnet PUSH received', [
'length' => strlen($raw),
'content_type' => $request->header('Content-Type'),
'ip' => $request->ip(),
'md5_hash' => $md5Hash,
]);
// 共通バッチログ: start
$batch = BatchLog::createBatchLog(
'shj4a',
BatchLog::STATUS_START,
[
'ip' => $request->ip(),
'content_type' => $request->header('Content-Type'),
'content_length' => strlen($raw),
'md5_hash' => $md5Hash,
],
'SHJ-4A Wellnet PUSH start'
);
try {
// 【処理1】幂等性检查 - MD5重复检查
$existingByMd5 = SettlementTransaction::where('md5_string', $md5Hash)->first();
if ($existingByMd5) {
Log::info('SHJ-4A 幂等性: MD5重复检测', [
'md5_hash' => $md5Hash,
'existing_id' => $existingByMd5->settlement_transaction_id,
]);
$batch->update([
'status' => BatchLog::STATUS_SUCCESS,
'end_time' => now(),
'message' => 'SHJ-4A 幂等性: MD5重复直接返回成功',
'success_count' => 0, // 幂等返回不计入成功数
]);
return $this->successResponse('処理済み(幂等性)');
}
// 【処理2】SOAP/XML解析
$xml = @simplexml_load_string($raw);
if (!$xml) {
throw new \RuntimeException('Invalid XML/SOAP payload');
}
// Body 以下の最初の要素を取得
$nsBody = $xml->children('http://schemas.xmlsoap.org/soap/envelope/')->Body ?? null;
$payloadNode = $nsBody ? current($nsBody->children()) : $xml; // SOAPでなければ素のXML想定
// XML -> 配列化
$payloadArray = json_decode(json_encode($payloadNode), true) ?? [];
// 【処理3】データ抽出と正規化
$data = $this->extractSettlementData($payloadArray, $md5Hash);
// 【処理4】必須フィールド検証
$this->validateRequiredFields($data);
// 【処理5】複合キー重复检查contract_payment_number + pay_date + settlement_amount
$existingByComposite = $this->findExistingByCompositeKey($data);
if ($existingByComposite) {
Log::info('SHJ-4A 幂等性: 複合キー重复検出', [
'contract_payment_number' => $data['contract_payment_number'],
'pay_date' => $data['pay_date'],
'settlement_amount' => $data['settlement_amount'],
'existing_id' => $existingByComposite->settlement_transaction_id,
]);
$batch->update([
'status' => BatchLog::STATUS_SUCCESS,
'end_time' => now(),
'message' => 'SHJ-4A 幂等性: 複合キー重复,直接返回成功',
'success_count' => 0,
]);
return $this->successResponse('処理済み(幂等性)');
}
// 【処理6】データベース取込と関連処理
$settlementId = null;
DB::transaction(function() use ($data, $batch, &$settlementId) {
// 決済トランザクション登録
$settlement = SettlementTransaction::create($data);
$settlementId = $settlement->settlement_transaction_id;
// 契約テーブルの軽微な更新SHJ-4Bで正式更新
RegularContract::where('contract_payment_number', $data['contract_payment_number'])
->update(['contract_updated_at' => now()]);
// バッチログ成功更新
$batch->update([
'status' => BatchLog::STATUS_SUCCESS,
'end_time' => now(),
'message' => 'SHJ-4A Wellnet PUSH stored successfully',
'success_count' => 1,
'parameters' => json_encode([
'settlement_transaction_id' => $settlementId,
'contract_payment_number' => $data['contract_payment_number'],
'settlement_amount' => $data['settlement_amount'],
]),
]);
Log::info('SHJ-4A 決済トランザクション登録成功', [
'settlement_transaction_id' => $settlementId,
'contract_payment_number' => $data['contract_payment_number'],
'settlement_amount' => $data['settlement_amount'],
]);
});
// 【処理7】SHJ-4B用キュージョブ投入
try {
$jobContext = [
'contract_payment_number' => $data['contract_payment_number'],
'settlement_amount' => $data['settlement_amount'],
'pay_date' => $data['pay_date'],
'pay_code' => $data['pay_code'],
'triggered_by' => 'shj4a_webhook',
'triggered_at' => $startedAt->toISOString(),
];
ProcessSettlementJob::dispatch($settlementId, $jobContext);
Log::info('SHJ-4A ProcessSettlementJob投入成功', [
'settlement_transaction_id' => $settlementId,
'job_context' => $jobContext,
]);
} catch (\Throwable $jobError) {
// キュー投入失敗は警告レベル(メイン処理は成功済み)
Log::warning('SHJ-4A ProcessSettlementJob投入失敗', [
'settlement_transaction_id' => $settlementId,
'error' => $jobError->getMessage(),
'note' => '兜底巡検で処理される予定',
]);
}
return $this->successResponse();
} catch (\Throwable $e) {
Log::error('SHJ-4A error', [
'error' => $e->getMessage(),
'trace' => $e->getTraceAsString(),
'md5_hash' => $md5Hash,
]);
if (isset($batch)) {
$batch->update([
'status' => BatchLog::STATUS_ERROR,
'end_time' => now(),
'message' => 'SHJ-4A failed: ' . $e->getMessage(),
'error_details' => $e->getTraceAsString(),
'error_count' => 1,
]);
}
return $this->errorResponse($e->getMessage());
}
}
/**
* IP白名单验证
*
* @param string $clientIp
* @return bool
*/
private function validateClientIp(string $clientIp): bool
{
$whitelist = config('services.wellnet.ip_whitelist', '');
if (empty($whitelist)) {
return true; // 白名单为空时不验证
}
$allowedIps = array_map('trim', explode(',', $whitelist));
foreach ($allowedIps as $allowedIp) {
if (strpos($allowedIp, '/') !== false) {
// CIDR記法対応
if ($this->ipInRange($clientIp, $allowedIp)) {
return true;
}
} else {
// 直接IP比較
if ($clientIp === $allowedIp) {
return true;
}
}
}
return false;
}
/**
* CIDR範囲でのIP检查
*
* @param string $ip
* @param string $range
* @return bool
*/
private function ipInRange(string $ip, string $range): bool
{
list($subnet, $bits) = explode('/', $range);
$ip = ip2long($ip);
$subnet = ip2long($subnet);
$mask = -1 << (32 - $bits);
$subnet &= $mask; # nb: in case the supplied subnet wasn't correctly aligned
return ($ip & $mask) == $subnet;
}
/**
* 決済データの抽出と正規化
*
* @param array $payloadArray
* @param string $md5Hash
* @return array
*/
private function extractSettlementData(array $payloadArray, string $md5Hash): array
{
// inData/Result系の取り出しキー名差異に寛容
$first = function(array $arr, array $keys, $default = null) {
foreach ($keys as $k) {
if (isset($arr[$k])) return is_array($arr[$k]) ? $arr[$k] : (string)$arr[$k];
}
return $default;
};
$flat = $payloadArray;
// よくある入れ子: { YoyakuNyukin: { inData: {...} } } / { YoyakuNyukinResponse: { YoyakuNyukinResult: {...} } }
foreach (['inData','YoyakuSyunoBarCodeResult','YoyakuNyukinResult','YoyakuSyunoETicketResult'] as $k) {
if (isset($flat[$k]) && is_array($flat[$k])) { $flat = $flat[$k]; }
}
$data = [
'pay_code' => $first($flat, ['NyukinPayCode','SyunoPayCode','BcPayCode']),
'contract_payment_number' => $first($flat, ['NyukinRecvNum','SyunoRecvNum','RecvNum','contract_payment_number']),
'corp_code' => $first($flat, ['NyukinCorpCode','SyunoCorpCode','BcCorpCode','CorpCode']),
'mms_date' => $first($flat, ['NyukinReferDate','SyunoMMSNo','MmsDate']),
'cvs_code' => $first($flat, ['NyukinCvsCode','CvsCode']),
'shop_code' => $first($flat, ['NyukinShopCode','ShopCode']),
'pay_date' => $first($flat, ['NyukinPaidDate','PaidDate']),
'settlement_amount' => $first($flat, ['NyukinPaidAmount','SyunoPayAmount','PaidAmount']),
'stamp_flag' => $first($flat, ['NyukinInshiFlag','InshiFlag']),
'status' => 'received',
'md5_string' => $md5Hash,
];
// データ正規化処理
$data = $this->normalizeSettlementData($data);
return $data;
}
/**
* 決済データの正規化
*
* @param array $data
* @return array
*/
private function normalizeSettlementData(array $data): array
{
// 金額を数値化(非負数)
if (!empty($data['settlement_amount'])) {
$amount = preg_replace('/[^\d.]/', '', $data['settlement_amount']);
$data['settlement_amount'] = max(0, (float)$amount);
} else {
$data['settlement_amount'] = null;
}
// 支払日時の正規化
if (!empty($data['pay_date'])) {
try {
$data['pay_date'] = Carbon::parse($data['pay_date'])->format('Y-m-d H:i:s');
} catch (\Throwable $e) {
Log::warning('SHJ-4A 支払日時解析失敗', [
'original_pay_date' => $data['pay_date'],
'error' => $e->getMessage(),
]);
$data['pay_date'] = null;
}
}
// 文字列フィールドのトリム
$stringFields = ['pay_code', 'contract_payment_number', 'corp_code', 'mms_date', 'cvs_code', 'shop_code', 'stamp_flag'];
foreach ($stringFields as $field) {
if (isset($data[$field])) {
$data[$field] = trim($data[$field]) ?: null;
}
}
return $data;
}
/**
* 必須フィールドの検証
*
* @param array $data
* @throws \RuntimeException
*/
private function validateRequiredFields(array $data): void
{
// 必須フィールドのチェック
if (empty($data['contract_payment_number'])) {
throw new \RuntimeException('必須フィールドが不足: contract_payment_number (RecvNum)');
}
if (!isset($data['settlement_amount']) || $data['settlement_amount'] === null) {
throw new \RuntimeException('必須フィールドが不足: settlement_amount');
}
if (empty($data['pay_date'])) {
throw new \RuntimeException('必須フィールドが不足: pay_date');
}
}
/**
* 複合キーによる既存レコード検索
*
* @param array $data
* @return SettlementTransaction|null
*/
private function findExistingByCompositeKey(array $data): ?SettlementTransaction
{
return SettlementTransaction::where('contract_payment_number', $data['contract_payment_number'])
->where('pay_date', $data['pay_date'])
->where('settlement_amount', $data['settlement_amount'])
->first();
}
/**
* 成功レスポンスの生成
*
* @param string $message
* @return \Illuminate\Http\Response
*/
private function successResponse(string $message = '正常処理'): \Illuminate\Http\Response
{
$responseFormat = config('services.wellnet.response_format', 'json');
if ($responseFormat === 'soap') {
return $this->soapResponse(0, $message);
} else {
return response()->json(['result' => 0, 'message' => $message]);
}
}
/**
* エラーレスポンスの生成
*
* @param string $message
* @param int $httpCode
* @return \Illuminate\Http\Response
*/
private function errorResponse(string $message, int $httpCode = 500): \Illuminate\Http\Response
{
$responseFormat = config('services.wellnet.response_format', 'json');
if ($responseFormat === 'soap') {
return $this->soapResponse(1, $message, $httpCode);
} else {
$resultCode = ($httpCode >= 500) ? 1 : 2; // サーバーエラー:1, クライアントエラー:2
return response()->json(['result' => $resultCode, 'error' => $message], $httpCode);
}
}
/**
* SOAP形式のレスポンス生成
*
* @param int $resultCode
* @param string $message
* @param int $httpCode
* @return \Illuminate\Http\Response
*/
private function soapResponse(int $resultCode, string $message, int $httpCode = 200): \Illuminate\Http\Response
{
$soapEnvelope = '<?xml version="1.0" encoding="utf-8"?>'
. '<soap:Envelope xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/">'
. '<soap:Body>'
. '<WellnetPushResponse>'
. '<Result>' . htmlspecialchars($resultCode) . '</Result>'
. '<Message>' . htmlspecialchars($message) . '</Message>'
. '</WellnetPushResponse>'
. '</soap:Body>'
. '</soap:Envelope>';
return response($soapEnvelope, $httpCode)
->header('Content-Type', 'text/xml; charset=utf-8');
}
}

View File

@ -1,34 +0,0 @@
<?php
namespace App\Http\Middleware;
use Closure;
use Illuminate\Http\Request;
use Symfony\Component\HttpFoundation\Response;
class CheckCityAccess
{
/**
* 自治体へのアクセス権限を確認するミドルウェア
*
* 将来的に以下の権限判定を追加予定:
* - ユーザーが指定自治体にアクセス権があるか確認
* - 権限がない場合は 403 Forbidden を返す
*
* @param \Illuminate\Http\Request $request
* @param \Closure(\Illuminate\Http\Request): (\Symfony\Component\HttpFoundation\Response) $next
* @return \Symfony\Component\HttpFoundation\Response
*/
public function handle(Request $request, Closure $next): Response
{
// 現在の処理:権限判定なしで通す
// TODO: 将来的に以下の権限判定ロジックを追加
// $city_id = $request->route('city_id');
// $user = auth()->user();
// if (!$user->canAccessCity($city_id)) {
// return abort(403, '指定された自治体へのアクセス権がありません。');
// }
return $next($request);
}
}

View File

@ -1,102 +0,0 @@
<?php
namespace App\Http\Middleware;
use Closure;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
use Carbon\Carbon;
use Symfony\Component\HttpFoundation\Response;
/**
* 定期パスワード変更チェックミドルウェア
*
* ログインしているオペレータのパスワード最後変更時刻をチェック
* 3ヶ月以上経過している場合、パスワード変更画面へ強制リダイレクト
*/
class CheckPasswordChangeRequired
{
/**
* リクエストを処理
*
* @param \Illuminate\Http\Request $request
* @param \Closure(\Illuminate\Http\Request): (\Symfony\Component\HttpFoundation\Response) $next
* @return \Symfony\Component\HttpFoundation\Response
*/
public function handle(Request $request, Closure $next): Response
{
// ログインしていない場合はスキップ
if (!Auth::check()) {
return $next($request);
}
// 既にパスワード変更ページにいる場合はスキップ
if ($request->routeIs('password.change.show', 'password.change.update')) {
return $next($request);
}
// 現在のユーザーを取得
$ope = Auth::user();
// パスワード変更が必須か判定
if ($this->isPasswordChangeRequired($ope)) {
return redirect()->route('password.change.show');
}
return $next($request);
}
/**
* パスワード変更が必須かどうかを判定
*
* 初回ログイン時ope_pass_changed_at NULL)または
* 最後変更から3ヶ月以上経過している場合、TRUE を返す
*
* @param \App\Models\Ope $ope
* @return bool
*/
private function isPasswordChangeRequired($ope): bool
{
// パスワード変更日時が未設定(初回ログイン等)
if (is_null($ope->ope_pass_changed_at)) {
\Log::info('Password change required: ope_pass_changed_at is null', [
'ope_id' => $ope->ope_id,
]);
return true;
}
// パスワード変更から経過日数を計算
// ope_pass_changed_at は複数のフォーマットに対応
try {
$changedAt = Carbon::parse($ope->ope_pass_changed_at);
} catch (\Exception $e) {
// パース失敗時は強制変更
\Log::warning('Failed to parse ope_pass_changed_at', [
'ope_id' => $ope->ope_id,
'value' => $ope->ope_pass_changed_at,
'error' => $e->getMessage(),
]);
return true;
}
$now = Carbon::now();
// 3ヶ月以上経過しているか判定
// diffInMonths は絶対値ではなく符号付きなので、abs() で絶対値を取得
$monthsDiff = abs($now->diffInMonths($changedAt));
\Log::info('Password change check', [
'ope_id' => $ope->ope_id,
'changed_at' => $changedAt->format('Y-m-d H:i:s'),
'now' => $now->format('Y-m-d H:i:s'),
'months_diff' => $monthsDiff,
'is_required' => $monthsDiff >= 3,
]);
if ($monthsDiff >= 3) {
return true;
}
return false;
}
}

View File

@ -1,57 +0,0 @@
<?php
namespace App\Http\Middleware;
use App\Services\EmailOtpService;
use Closure;
use Illuminate\Http\Request;
use Symfony\Component\HttpFoundation\Response;
/**
* OTP 認証チェックミドルウェア
*
* ログイン後、OTP 認証が完了していないユーザーを OTP 入力ページにリダイレクト
* 24時間以内に OTP 認証が完了している場合はスキップ
*/
class EnsureOtpVerified
{
protected EmailOtpService $otpService;
/**
* コンストラクタ
*/
public function __construct(EmailOtpService $otpService)
{
$this->otpService = $otpService;
}
/**
* リクエストを処理
*
* @param Request $request
* @param Closure $next
* @return Response
*/
public function handle(Request $request, Closure $next): Response
{
// ユーザーが認証されていない場合はスキップ
if (!$request->user()) {
return $next($request);
}
// OTP ページ関連のリクエストはスキップ(無限ループ防止)
// /otp /* のパターンを許可
if ($request->routeIs(['otp.show', 'otp.verify', 'otp.resend'])) {
return $next($request);
}
// 24時間以内に OTP 認証が完了している場合はスキップ
if ($this->otpService->isOtpRecent($request->user())) {
return $next($request);
}
// OTP 認証が必要な場合は OTP ページにリダイレクト
return redirect()->route('otp.show')
->with('info', 'セキュリティ確認のため OTP 認証が必要です。');
}
}

View File

@ -1,90 +0,0 @@
<?php
namespace App\Http\Middleware;
use Closure;
use Illuminate\Http\Request;
use App\Services\MenuAccessService;
use Illuminate\Support\Facades\View;
use Illuminate\Support\Facades\DB;
/**
* メニューアクセス制御データをビューに共有する Middleware
*
* すべてのビューで $isSorin $visibleCities が利用可能になります。
* また、nav bar に表示される ハード異常・タスク情報も同時に共有します。
*/
class ShareMenuAccessData
{
public function handle(Request $request, Closure $next)
{
$menuAccessService = app(MenuAccessService::class);
// メニュー関連データ
$viewData = [
'isSorin' => $menuAccessService->isSorin(),
'visibleCities' => $menuAccessService->visibleCities(),
];
// Nav bar に表示される ハード異常・タスク件数を取得
if (auth()->check()) {
// ハード異常que_class > 99かつステータスが未対応(1)または進行中(2)
$hardwareIssues = DB::table('operator_que as oq')
->leftJoin('user as u', 'oq.user_id', '=', 'u.user_id')
->leftJoin('park as p', 'oq.park_id', '=', 'p.park_id')
->select(
'oq.que_id', 'oq.que_class', 'oq.que_comment',
'oq.created_at', 'oq.updated_at', 'oq.que_status'
)
->where('oq.que_class', '>', 99)
->whereIn('oq.que_status', [1, 2])
->orderBy('oq.created_at', 'DESC')
->limit(5)
->get();
// タスクque_class < 99かつステータスが未対応(1)または進行中(2)
$taskIssues = DB::table('operator_que as oq')
->leftJoin('user as u', 'oq.user_id', '=', 'u.user_id')
->leftJoin('park as p', 'oq.park_id', '=', 'p.park_id')
->select(
'oq.que_id', 'oq.que_class', 'oq.que_comment',
'oq.created_at', 'oq.updated_at', 'oq.que_status'
)
->where('oq.que_class', '<', 99)
->whereIn('oq.que_status', [1, 2])
->orderBy('oq.created_at', 'DESC')
->limit(5)
->get();
// ハード異常・タスク件数計算
$hardCount = DB::table('operator_que')
->where('que_class', '>', 99)
->whereIn('que_status', [1, 2])
->count();
$taskCount = DB::table('operator_que')
->where('que_class', '<', 99)
->whereIn('que_status', [1, 2])
->count();
// 最新のハード異常・タスク日時
$hardLatest = $hardwareIssues->first()?->created_at;
$taskLatest = $taskIssues->first()?->created_at;
// Nav bar 関連データをマージ
$viewData = array_merge($viewData, [
'hardCount' => $hardCount,
'hardLatest' => $hardLatest,
'latestHards' => $hardwareIssues,
'taskCount' => $taskCount,
'taskLatest' => $taskLatest,
'latestTasks' => $taskIssues,
]);
}
// すべてのビューでこれらのデータが利用可能
View::share($viewData);
return $next($request);
}
}

View File

@ -1,97 +0,0 @@
<?php
namespace App\Http\Requests;
use Illuminate\Foundation\Http\FormRequest;
use Illuminate\Validation\Rule;
use Illuminate\Validation\Rules\Password;
class ChangePasswordRequest extends FormRequest
{
/**
* リクエストを処理することを認可するか判定
*
* @return bool
*/
public function authorize(): bool
{
return auth()->check();
}
/**
* 入力値の検証ルール
*
* クライアント側必填3項目、長度 8-64、新密码仅半角英数字+记号、新/确认一致
* サーバー側当前密码认证hash check、新密码不能等于旧密码CustomRulesで実装
*
* @return array<string, \Illuminate\Contracts\Validation\ValidationRule|array<mixed>|string>
*/
public function rules(): array
{
return [
// 当前パスワード必填、8-64文字
'current_password' => [
'required',
'string',
'min:8',
'max:64',
],
// 新パスワード必填、8-64文字、英数字+記号のみ
'password' => [
'required',
'string',
'min:8',
'max:64',
'regex:/^[a-zA-Z0-9!@#$%^&*()_+\-=\[\]{};:\'",.<>?\/\\|`~]+$/', // 半角英数字+記号のみ
],
// 新パスワード確認:必填、新パスワードと一致
'password_confirmation' => [
'required',
'string',
'same:password',
],
// hidden フィールド(フォーム側で出力)
'updated_at' => 'nullable|date_format:Y-m-d H:i:s',
'ope_pass_changed_at' => 'nullable|date_format:Y-m-d H:i:s',
];
}
/**
* 属性の表示名
*
* @return array<string, string>
*/
public function attributes(): array
{
return [
'current_password' => '当前パスワード',
'password' => '新パスワード',
'password_confirmation' => '新パスワード確認',
];
}
/**
* 検証エラーメッセージのカスタマイズ
*
* @return array<string, string>
*/
public function messages(): array
{
return [
'current_password.required' => '当前パスワードを入力してください。',
'current_password.min' => '当前パスワードは8文字以上です。',
'current_password.max' => '当前パスワードは64文字以下です。',
'password.required' => '新パスワードを入力してください。',
'password.min' => '新パスワードは8文字以上です。',
'password.max' => '新パスワードは64文字以下です。',
'password.regex' => '新パスワードは英数字と記号のみ使用できます。',
'password_confirmation.required' => '新パスワード確認を入力してください。',
'password_confirmation.same' => '新パスワードと新パスワード確認は一致する必要があります。',
];
}
}

View File

@ -1,59 +0,0 @@
<?php
declare(strict_types=1);
namespace App\Http\Requests;
use Illuminate\Foundation\Http\FormRequest;
final class CityRequest extends FormRequest
{
public function authorize(): bool
{
return true;
}
public function rules(): array
{
return [
// 市区名:全角文字列 / 必須 / 1〜20文字
'city_name' => [
'required',
'string',
'min:1',
'max:20',
'regex:/^[^ -~。-゚]+$/u',
],
// 印字レイアウトファイル:半角英数字 / 必須 / 1〜255文字
'print_layout' => [
'required',
'string',
'min:1',
'max:255',
'regex:/^[A-Za-z0-9]+$/',
],
// 備考:任意文字列 / 最大255
'city_remarks' => [
'nullable',
'string',
'max:255',
],
];
}
public function messages(): array
{
return [
'city_name.required' => '市区名は必須です。',
'city_name.regex' => '市区名は全角文字で入力してください。',
'city_name.max' => '市区名は20文字以内で入力してください。',
'print_layout.required' => '印字レイアウトファイルは必須です。',
'print_layout.regex' => '印字レイアウトファイルは半角英数字で入力してください。',
'print_layout.max' => '印字レイアウトファイルは255文字以内で入力してください。',
'city_remarks.max' => '備考は255文字以内で入力してください。',
];
}
}

View File

@ -1,132 +0,0 @@
<?php
declare(strict_types=1);
namespace App\Http\Requests;
use Illuminate\Foundation\Http\FormRequest;
class ParkRequest extends FormRequest
{
public function authorize(): bool
{
return true;
}
/**
* add / edit 用的 validation
*/
public function rules(): array
{
if ($this->isMethod('post') || $this->isMethod('put')) {
return [
// 必須
'city_id' => ['required', 'integer'],
'park_name' => ['required', 'string', 'max:255'],
// 文字系
'park_ruby' => ['nullable', 'string', 'max:255'],
'park_syllabary' => ['nullable', 'string', 'max:3'],
'park_adrs' => ['nullable', 'string', 'max:255'],
'price_memo' => ['nullable', 'string', 'max:1000'],
// フラグ / 種別系integer想定
'park_close_flag' => ['nullable', 'integer'],
'inverse_use_flag1' => ['nullable', 'integer'], // 逆利用フラグ(一覧)
'inverse_use_flag2' => ['nullable', 'integer'], // 逆利用フラグ(学生)
'parking_regulations_flag' => ['nullable', 'integer'], // 駐輪規定フラグ
'alert_flag' => ['nullable', 'integer'], // 残警告チェックフラグ
'immediate_use_perm' => ['nullable', 'integer'], // 契約後即利用許可
'gender_display_flag' => ['nullable', 'integer'], // 項目表示設定:性別
'bd_display_flag' => ['nullable', 'integer'], // 項目表示設定:生年月日
'securityreg_display_flag' => ['nullable', 'integer'], // 項目表示設定:防犯登録番号
'park_fixed_contract' => ['nullable', 'integer'], // 駐輪場契約形態(定期)
'park_temporary_contract' => ['nullable', 'integer'], // 駐輪場契約形態(一時利用)
'park_available_time_flag' => ['nullable', 'integer'], // 利用可能時間制限フラグ
'park_manager_flag' => ['nullable', 'integer'], // 常駐管理人フラグ
'park_roof_flag' => ['nullable', 'integer'], // 屋根フラグ
'park_issuing_machine_flag' => ['nullable', 'integer'], // シール発行機フラグ
'reduction_guide_display_flag' => ['nullable', 'integer'], // 減免案内表示フラグ
'overyear_flag' => ['nullable', 'integer'], // 年跨ぎ
// 数値系
'print_number' => ['nullable', 'integer'], // 印字数
'distance_twopoints' => ['nullable', 'integer'], // 二点間距離
'reduction_age' => ['nullable', 'integer'], // 減免対象年齢
'reduction_guide_display_start_month' => ['nullable', 'integer'], // 減免案内表示開始月数
// 日付/時刻系date/time/datetime
'park_day' => ['nullable', 'date'], // 閉設日
'keep_alive' => ['nullable', 'date'], // 最新キープアライブ
'update_grace_period_start_date' => ['nullable', 'integer', 'between:1,31'], // 更新期間開始日
'update_grace_period_start_time' => ['nullable', 'date_format:H:i'], // 更新期間開始時
'update_grace_period_end_date' => ['nullable', 'integer', 'between:1,31'], // 更新期間終了日
'update_grace_period_end_time' => ['nullable', 'date_format:H:i'], // 更新期間終了時
'parking_start_grace_period' => ['nullable', 'integer', 'between:1,31'], // 駐輪開始猶予期間
'reminder_type' => ['nullable', 'integer'], // リマインダー種別
'reminder_time' => ['nullable', 'date_format:H:i'], // リマインダー時間
'park_available_time_from' => ['nullable', 'date_format:H:i'], // 利用可能時間(開始)
'park_available_time_to' => ['nullable', 'date_format:H:i'], // 利用可能時間(終了)
'park_manager_resident_from' => ['nullable', 'date_format:H:i'], // 常駐時間(開始)
'park_manager_resident_to' => ['nullable', 'date_format:H:i'], // 常駐時間(終了)
// 緯度/経度/電話など
'park_latitude' => ['nullable', 'string', 'max:50'], // 駐車場座標(緯度)
'park_longitude' => ['nullable', 'string', 'max:50'], // 駐車場座標(経度)
'park_tel' => ['nullable', 'string', 'max:50'], // 電話番号
// 備考/自由入力
'park_restriction' => ['nullable', 'string', 'max:50'], // 車種制限
'park_procedure' => ['nullable', 'string', 'max:50'], // 手続方法
'park_payment' => ['nullable', 'string', 'max:100'], // 支払方法
'park_using_method' => ['nullable', 'string', 'max:1000'], // 駐輪場利用方法
'park_contract_renewal_term' => ['nullable', 'string', 'max:255'], // 定期更新期間
'park_reservation' => ['nullable', 'string', 'max:255'], // 空き待ち予約
'park_reference' => ['nullable', 'string', 'max:1000'], // 特記事項
'student_id_confirmation_type' => ['nullable', 'string', 'max:255'], // 学生証確認種別
];
}
return [];
}
//
protected function prepareForValidation(): void
{
foreach ([
'park_available_time_from',
'park_available_time_to',
'park_manager_resident_from',
'park_manager_resident_to',
'update_grace_period_start_time',
'update_grace_period_end_time',
'reminder_time',
] as $key) {
if ($this->filled($key)) {
$v = (string) $this->input($key);
$this->merge([$key => substr($v, 0, 5)]); // HH:MM로 통일
}
}
}
/**
* add / edit payload
*/
public function payload(): array
{
return $this->validated();
}
public function filters(): array
{
return [
'park_name' => $this->input('park_name'),
'city_id' => $this->input('city_id'),
'sort' => $this->input('sort'),
'sort_type' => $this->input('sort_type', 'asc'),
];
}
}

View File

@ -1,27 +0,0 @@
<?php
namespace App\Http\Requests;
use Illuminate\Foundation\Http\FormRequest;
class RegularTypeRequest extends FormRequest
{
public function authorize()
{
return true; // 認証はコントローラーで行うため、ここでは常にtrueを返す
}
public function rules()
{
return [
'city_id' => 'required|string|max:255',
];
}
public function messages()
{
return [
'city_id.required' => '市区名は必須です。',
];
}
}

View File

@ -1,160 +0,0 @@
<?php
declare(strict_types=1);
namespace App\Http\Requests;
use Illuminate\Foundation\Http\FormRequest;
final class ReserveRequest extends FormRequest
{
public function rules(): array
{
$action = $this->routeAction();
if ($action === 'index') {
return [
'sort' => ['nullable', 'string'],
'sort_type' => ['nullable', 'in:asc,desc'],
'user_id' => ['nullable', 'string'],
'park_id' => ['nullable', 'integer'],
'reserve_date_from' => ['nullable', 'date'],
'reserve_date_to' => ['nullable', 'date'],
'keyword' => ['nullable', 'string'],
'valid_flag' => ['nullable', 'in:0,1'],
];
}
if ($action === 'destroy') {
return [
'ids' => ['required'],
];
}
if ($action === 'store') {
return [
'user_id' => ['required', 'integer'],
'park_id' => ['required', 'integer'],
'contract_id' => ['nullable', 'string'],
'price_parkplaceid' => ['nullable', 'integer'],
'psection_id' => ['nullable', 'integer'],
'reserve_date' => ['nullable', 'date'],
'valid_flag' => ['nullable', 'in:0,1'],
];
}
if ($action === 'update') {
return [
'user_id' => ['required', 'integer'],
'park_id' => ['required', 'integer'],
'contract_id' => ['nullable', 'string'],
'price_parkplaceid' => ['nullable', 'integer'],
'psection_id' => ['nullable', 'integer'],
'reserve_date' => ['nullable', 'date'],
'reserve_start' => ['nullable', 'date'],
'reserve_end' => ['nullable', 'date'],
'valid_flag' => ['nullable', 'in:0,1'],
'ope_id' => ['nullable', 'integer'],
];
}
// create/edit 등 “画面表示だけ” 는 검증 불필요
return [];
}
/**
* Why: Controller/Service 에서 공통으로 쓰는 입력 정규화.
*/
public function payload(): array
{
$action = $this->routeAction();
if ($action === 'index') {
return [
'sort' => (string) $this->input('sort', 'reserve_id'),
'sortType' => (string) $this->input('sort_type', 'asc'),
'userId' => trim((string) $this->input('user_id', '')),
'parkId' => $this->filled('park_id') ? (int) $this->input('park_id') : null,
'fromDt' => $this->input('reserve_date_from'),
'toDt' => $this->input('reserve_date_to'),
'keyword' => trim((string) $this->input('keyword', '')),
'validFlag' => $this->filled('valid_flag') ? (string) $this->input('valid_flag') : null,
];
}
if ($action === 'destroy') {
return [
'ids' => $this->normalizeIds($this->input('ids')),
];
}
if ($action === 'store' || $action === 'update') {
return [
'contractId' => $this->input('contract_id'),
'userCategoryId' => $this->filled('user_categoryid') ? (int) $this->input('user_categoryid') : null,
'contractCreatedAt' => $this->input('contract_created_at'),
'userId' => (int) $this->input('user_id'),
'parkId' => (int) $this->input('park_id'),
'priceParkplaceId' => $this->filled('price_parkplaceid') ? (int) $this->input('price_parkplaceid') : null,
'psectionId' => $this->filled('psection_id') ? (int) $this->input('psection_id') : null,
'ptypeId' => $this->filled('ptype_id') ? (int) $this->input('ptype_id') : null,
'reserveDate' => $this->input('reserve_date'),
'reserveStart' => $this->input('reserve_start'),
'reserveEnd' => $this->input('reserve_end'),
'reserveReduction' => $this->input('reserve_reduction'),
'reserveAutoRemind' => $this->input('reserve_auto_remind'),
'reserveManualRemind' => $this->input('reserve_manual_remind'),
'flag800m' => $this->filled('800m_flag') ? (int) $this->input('800m_flag') : null,
'reserveCancelday' => $this->input('reserve_cancelday'),
'validFlag' => $this->filled('valid_flag') ? (int) $this->input('valid_flag') : null,
'reserveManual' => $this->filled('reserve_manual') ? (int) $this->input('reserve_manual') : null,
'reserveNotice' => $this->input('reserve_notice'),
'sentDate' => $this->input('sent_date'),
'reserveOrder' => $this->filled('reserve_order') ? (int) $this->input('reserve_order') : null,
'reserveType' => $this->filled('reserve_type') ? (int) $this->input('reserve_type') : null,
'opeId' => $this->filled('ope_id') ? (int) $this->input('ope_id') : null,
];
}
return [];
}
private function routeAction(): string
{
// routes: reserves.index / reserves.store / reserves.update / reserves.destroy ...
$name = (string) $this->route()?->getName();
if ($name === '') {
return '';
}
$parts = explode('.', $name);
return (string) end($parts);
}
private function normalizeIds(mixed $raw): array
{
if (is_string($raw)) {
$raw = explode(',', $raw);
}
if (is_array($raw) && count($raw) === 1 && is_string($raw[0]) && str_contains($raw[0], ',')) {
$raw = explode(',', $raw[0]);
}
$ids = array_map('intval', (array) $raw);
$ids = array_values(array_unique(array_filter($ids, static fn (int $v): bool => $v > 0)));
return $ids;
}
}

View File

@ -1,91 +0,0 @@
<?php
declare(strict_types=1);
namespace App\Http\Requests;
use Illuminate\Foundation\Http\FormRequest;
final class UsertypeRequest extends FormRequest
{
public function authorize(): bool
{
return true;
}
public function rules(): array
{
return [
// ソートオーダー:数値 / 必須
'sort_order' => [
'required',
'integer',
],
// 分類名1文字列 / 必須 / 最大10文字
'usertype_subject1' => [
'required',
'string',
'min:1',
'max:10',
],
// 分類名2文字列 / 必須 / 最大10文字
'usertype_subject2' => [
'required',
'string',
'min:1',
'max:10',
],
// 分類名3文字列 / 任意 / 最大10文字
'usertype_subject3' => [
'nullable',
'string',
'max:10',
],
// 印字名:文字列 / 任意 / 最大20文字
'print_name' => [
'nullable',
'string',
'max:20',
],
// 適用料率:文字列 / 任意 / 最大10文字
'usertype_money' => [
'nullable',
'string',
'max:10',
],
// 備考:文字列 / 任意 / 最大85文字
'usertype_remarks' => [
'nullable',
'string',
'max:85',
],
];
}
public function messages(): array
{
return [
'sort_order.required' => 'ソートオーダーは必須です。',
'sort_order.integer' => 'ソートオーダーは数値で入力してください。',
'usertype_subject1.required' => '分類名1は必須です。',
'usertype_subject1.max' => '分類名1は10文字以内で入力してください。',
'usertype_subject2.required' => '分類名2は必須です。',
'usertype_subject2.max' => '分類名2は10文字以内で入力してください。',
'usertype_subject3.max' => '分類名3は10文字以内で入力してください。',
'print_name.max' => '印字名は20文字以内で入力してください。',
'usertype_money.max' => '適用料率は10文字以内で入力してください。',
'usertype_remarks.max' => '備考は85文字以内で入力してください。',
];
}
}

View File

@ -1,183 +0,0 @@
<?php
namespace App\Jobs;
use Illuminate\Bus\Queueable;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Foundation\Bus\Dispatchable;
use Illuminate\Queue\InteractsWithQueue;
use Illuminate\Queue\SerializesModels;
use Illuminate\Support\Facades\Log;
use App\Models\Batch\BatchLog;
use App\Models\SettlementTransaction;
use App\Services\ShjFourBService;
/**
* SHJ-4B 決済トランザクション処理ジョブ
*
* SHJ-4Aで登録された決済情報を基に定期契約の更新処理を行う
*/
class ProcessSettlementJob implements ShouldQueue
{
use Dispatchable, InteractsWithQueue, Queueable, SerializesModels;
/**
* ジョブの実行可能回数
*
* @var int
*/
public $tries = 3;
/**
* ジョブの実行間隔(秒)
*
* @var array
*/
public $backoff = [60, 300, 900];
/**
* 使用するキュー名
*
* @var string
*/
public $queue = 'settlement';
/**
* 決済トランザクションID
*
* @var int
*/
protected $settlementTransactionId;
/**
* 追加のコンテキスト情報
*
* @var array
*/
protected $context;
/**
* コンストラクタ
*
* @param int $settlementTransactionId 決済トランザクションID
* @param array $context 追加のコンテキスト情報
*/
public function __construct(int $settlementTransactionId, array $context = [])
{
$this->settlementTransactionId = $settlementTransactionId;
$this->context = $context;
}
/**
* ジョブを実行
*
* SHJ-4Bサービスを使用して決済トランザクション処理を実行
*
* @return void
*/
public function handle()
{
$startTime = now();
// バッチログの開始記録
$batch = BatchLog::createBatchLog(
'shj4b',
BatchLog::STATUS_START,
[
'settlement_transaction_id' => $this->settlementTransactionId,
'context' => $this->context,
'job_id' => $this->job->getJobId(),
],
'SHJ-4B ProcessSettlementJob start'
);
try {
Log::info('SHJ-4B ProcessSettlementJob開始', [
'settlement_transaction_id' => $this->settlementTransactionId,
'context' => $this->context,
'start_time' => $startTime,
]);
// SHJ-4Bサービスを使用して決済トランザクション処理を実行
$shjFourBService = app(ShjFourBService::class);
$result = $shjFourBService->processSettlementTransaction(
$this->settlementTransactionId,
$this->context
);
// 処理結果に基づいてバッチログを更新
if ($result['success']) {
$batch->update([
'status' => BatchLog::STATUS_SUCCESS,
'end_time' => now(),
'message' => 'SHJ-4B ProcessSettlementJob completed successfully',
'success_count' => 1,
'parameters' => json_encode([
'result' => $result,
]),
]);
Log::info('SHJ-4B ProcessSettlementJob完了', [
'settlement_transaction_id' => $this->settlementTransactionId,
'execution_time' => now()->diffInSeconds($startTime),
'result' => $result,
]);
} else {
// ビジネスロジック上の問題(エラーではない)
$batch->update([
'status' => BatchLog::STATUS_SUCCESS,
'end_time' => now(),
'message' => 'SHJ-4B ProcessSettlementJob completed with issues: ' . $result['reason'],
'success_count' => 0,
'parameters' => json_encode([
'result' => $result,
'requires_manual_action' => true,
]),
]);
Log::warning('SHJ-4B ProcessSettlementJob要手動対応', [
'settlement_transaction_id' => $this->settlementTransactionId,
'result' => $result,
]);
}
} catch (\Throwable $e) {
Log::error('SHJ-4B ProcessSettlementJob失敗', [
'settlement_transaction_id' => $this->settlementTransactionId,
'error' => $e->getMessage(),
'trace' => $e->getTraceAsString(),
]);
// バッチログのエラー記録
$batch->update([
'status' => BatchLog::STATUS_ERROR,
'end_time' => now(),
'message' => 'SHJ-4B ProcessSettlementJob failed: ' . $e->getMessage(),
'error_details' => $e->getTraceAsString(),
'error_count' => 1,
]);
// ジョブを失敗させて再試行を促す
throw $e;
}
}
/**
* ジョブが失敗した場合の処理
*
* @param \Throwable $exception
* @return void
*/
public function failed(\Throwable $exception)
{
Log::error('SHJ-4B ProcessSettlementJob最終失敗', [
'settlement_transaction_id' => $this->settlementTransactionId,
'context' => $this->context,
'error' => $exception->getMessage(),
'attempts' => $this->attempts(),
]);
// 最終失敗時の追加処理があればここに記述
// 例:管理者への通知、障害キューへの登録など
}
}

View File

@ -85,5 +85,3 @@ class OperatorQue extends Model
}

View File

@ -56,5 +56,3 @@ class Park extends Model
}

View File

@ -66,6 +66,7 @@ class User extends Model
'user_remarks',
'user_age',
];
protected static function boot()
{
parent::boot();
@ -111,5 +112,3 @@ class User extends Model
}

View File

@ -1,69 +0,0 @@
<?php
namespace App\Mail;
use Illuminate\Bus\Queueable;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Mail\Mailable;
use Illuminate\Mail\Mailables\Content;
use Illuminate\Mail\Mailables\Envelope;
use Illuminate\Queue\SerializesModels;
/**
* OTP メール送信クラス
*/
class EmailOtpMail extends Mailable
{
use Queueable, SerializesModels;
/**
* OTP コード6桁
*/
public string $otpCode;
/**
* オペレータ名
*/
public string $operatorName;
/**
* コンストラクタ
*/
public function __construct(string $otpCode, string $operatorName)
{
$this->otpCode = $otpCode;
$this->operatorName = $operatorName;
}
/**
* メールのエンベロープ
*/
public function envelope(): Envelope
{
return new Envelope(
subject: 'ログイン確認用OTPコード有効期限10分間'
);
}
/**
* メールのコンテンツ
*/
public function content(): Content
{
return new Content(
view: 'emails.otp',
with: [
'otpCode' => $this->otpCode,
'operatorName' => $this->operatorName,
]
);
}
/**
* メールの添付ファイル
*/
public function attachments(): array
{
return [];
}
}

View File

@ -19,4 +19,3 @@ abstract class BaseModel extends Model
}

View File

@ -7,60 +7,18 @@ use Illuminate\Database\Eloquent\Model;
class City extends Model
{
protected $table = 'city';
protected $primaryKey = 'city_id';
protected $keyType = 'int';
public $incrementing = true;
// プライマリーキーはLaravelのデフォルト('id')を使用
public $timestamps = true;
protected $fillable = [
'city_id',
'city_name',
'print_layout',
'city_user',
'city_remarks',
'management_id',
'created_at',
'updated_at',
// 実際のカラム名が不明のため、一旦空にする
];
/**
* 都市のリストを取得
*/
public static function getList(?int $operatorId = null): array
public static function getList()
{
return static::query()
->when($operatorId, fn($q) => $q->where('operator_id', $operatorId))
->orderBy('city_name')
->pluck('city_name', 'city_id')
->toArray();
}
/**
* この都市が属する運営元を取得
*/
public function management(): \Illuminate\Database\Eloquent\Relations\BelongsTo
{
return $this->belongsTo(Management::class, 'management_id', 'management_id');
}
/**
* 自治体別ダッシュボード画面の表示
*
* 指定された city_id に基づいて都市情報を取得し、
* 該当データが存在しない場合は 404 エラーを返します。
* 正常に取得できた場合は、ダッシュボード画面を表示します。
*
* @param int $city_id 都市ID
* @return \Illuminate\View\View
*/
public function dashboard($city_id)
{
$city = City::find($city_id);
if (!$city) {
abort(404);
}
// ここに自治体別ダッシュボードの処理を書く
return view('admin.CityMaster.dashboard', [
'city' => $city,
]);
return self::all();
}
}

View File

@ -38,5 +38,3 @@ trait HasSortable
}

View File

@ -1,91 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Support\Facades\Auth;
use App\Utils;
use Illuminate\Database\Eloquent\Model;
class ContractAllowableCity extends Model
{
const CREATED_AT = 'created_at';
const UPDATED_AT = 'updated_at';
const PERPAGE = 50;
protected $table = 'contract_allowable_city';
protected $primaryKey = 'contract_allowable_city_id';
protected $fillable = [
'city_id',
'contract_allowable_city_name',
'park_id',
'same_district_flag',
'operator_id'
];
/**
* 一覧検索・ソート処理
*/
public static function search($inputs)
{
$list = self::query()
->leftJoin('park', 'contract_allowable_city.park_id', '=', 'park.park_id')
->leftJoin('city', 'contract_allowable_city.city_id', '=', 'city.city_id')
->select(
'contract_allowable_city.*',
'park.park_name',
'city.city_name'
);
if ($inputs['isMethodPost'] ?? false) {
if (!empty($inputs['contract_allowable_city_id'])) {
$list->where('contract_allowable_city.contract_allowable_city_id', $inputs['contract_allowable_city_id']);
}
if (!empty($inputs['city_id'])) {
$list->where('contract_allowable_city.city_id', $inputs['city_id']);
}
if (!empty($inputs['contract_allowable_city_name'])) {
$list->where('contract_allowable_city.contract_allowable_city_name', 'like', '%' . $inputs['contract_allowable_city_name'] . '%');
}
if (!empty($inputs['park_id'])) {
$list->where('contract_allowable_city.park_id', $inputs['park_id']);
}
}
// 並び順
if (!empty($inputs['sort'])) {
$list->orderBy($inputs['sort'], $inputs['sort_type'] ?? 'asc');
}
if ($inputs['isExport'] ?? false) {
return $list->get();
} else {
return $list->paginate(Utils::item_per_page);
}
}
/**
* 主キーで取得
*/
public static function getByPk($pk)
{
return self::find($pk);
}
/**
* 主キー配列で一括削除
*/
public static function deleteByPk($arr)
{
return self::whereIn('contract_allowable_city_id', $arr)->delete();
}
/**
* 選択リスト取得用(フォーム等)
*/
public static function getList()
{
return self::pluck('contract_allowable_city_name', 'contract_allowable_city_id');
}
}

View File

@ -4,46 +4,80 @@ namespace App\Models;
use Illuminate\Database\Eloquent\Model;
/**
* デバイスモデル - deviceテーブル
*
* ハードウェアデバイス(印刷機等)の情報を管理するモデル
* batch_logテーブルとの関連でバッチ処理ログに使用される
*/
class Device extends Model
{
protected $table = 'device';
protected $primaryKey = 'device_id';
public $incrementing = true;
protected $keyType = 'int';
public $timestamps = true;
const CREATED_AT = 'created_at';
const UPDATED_AT = 'updated_at';
protected $fillable = [
'park_id',
'device_type',
'device_subject',
'device_identifier',
'device_work',
'device_workstart',
'device_replace',
'device_remarks',
'operator_id',
'park_id', // 駐輪場ID
'device_type', // デバイスタイプ
'device_subject', // デバイス件名
'device_identifier', // デバイス識別子
'device_work', // デバイス作業
'device_workstart', // 作業開始日
'device_replace', // 交換日
'device_remarks', // 備考
'operator_id' // オペレータID
];
protected $casts = [
'park_id' => 'integer',
'device_workstart' => 'date',
'device_replace' => 'date',
'operator_id' => 'integer',
];
/**
* 駐輪場との関連付け
*
* @return \Illuminate\Database\Eloquent\Relations\BelongsTo
*/
public function park()
{
// UsingStatus系は廃止。正式モデル Park を使用。
return $this->belongsTo(Park::class, 'park_id', 'park_id');
}
public static function getList(): array
/**
* バッチログとの関連付けbatch_logテーブル
* 統一BatchLogで管理される
*
* @return \Illuminate\Database\Query\Builder
*/
public function batchLogs()
{
return static::orderBy('device_subject')->pluck('device_subject', 'device_id')->toArray();
return \DB::table('batch_log')
->where('parameters->device_id', $this->device_id);
}
public static function deleteByPk(array $ids): int
/**
* デバイスIDの存在確認
*
* @param int $deviceId デバイスID
* @return bool 存在するかどうか
*/
public static function exists(int $deviceId): bool
{
return static::whereIn('device_id', $ids)->delete();
return self::where('device_id', $deviceId)->exists();
}
/**
* デバイス情報を取得
*
* @param int $deviceId デバイスID
* @return Device|null デバイス情報
*/
public static function findByDeviceId(int $deviceId): ?Device
{
return self::where('device_id', $deviceId)->first();
}
}

View File

@ -1,298 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
use Carbon\Carbon;
/**
* 売上集計結果モデル - earnings_summaryテーブル
*
* SHJ-9で作成される日次・月次・年次の売上集計データを管理
*/
class EarningsSummary extends Model
{
/**
* テーブル名
*
* @var string
*/
protected $table = 'earnings_summary';
/**
* プライマリキー
*
* @var string
*/
protected $primaryKey = 'earnings_summary_id';
/**
* 一括代入可能な属性
*
* @var array
*/
protected $fillable = [
'park_id', // 駐輪場ID
'summary_type', // 集計区分
'summary_start_date', // 集計開始日
'summary_end_date', // 集計終了日
'earnings_date', // 売上日
'psection_id', // 車種区分ID
'usertype_subject1', // 規格
'enable_months', // 期間(月数)
'regular_new_count', // 期間件数
'regular_new_amount', // 期間金額
'regular_new_reduction_count', // 期間成免件数
'regular_new_reduction_amount', // 期間成免金額
'regular_update_count', // 更新件数
'regular_update_amount', // 更新金額
'regular_update_reduction_count', // 更新成免件数
'regular_update_reduction_amount', // 更新成免金額
'turnsum_count', // 残金件数
'turnsum', // 残金
'refunds', // 解時返戻金
'other_income', // 分別収入
'other_spending', // 分別支出
'reissue_count', // 発行件数
'reissue_amount', // 発行金額
'summary_note', // 計備考
'created_at', // 登録日時
'updated_at', // 更新日時
'operator_id' // 新法・ページID
];
/**
* キャストする属性
*
* @var array
*/
protected $casts = [
'earnings_summary_id' => 'integer',
'park_id' => 'integer',
'psection_id' => 'integer',
'enable_months' => 'integer',
'regular_new_count' => 'integer',
'regular_new_amount' => 'decimal:2',
'regular_new_reduction_count' => 'integer',
'regular_new_reduction_amount' => 'decimal:2',
'regular_update_count' => 'integer',
'regular_update_amount' => 'decimal:2',
'regular_update_reduction_count' => 'integer',
'regular_update_reduction_amount' => 'decimal:2',
'turnsum_count' => 'integer',
'turnsum' => 'decimal:2',
'refunds' => 'decimal:2',
'other_income' => 'decimal:2',
'other_spending' => 'decimal:2',
'reissue_count' => 'integer',
'reissue_amount' => 'decimal:2',
'operator_id' => 'integer',
'summary_start_date' => 'date',
'summary_end_date' => 'date',
'earnings_date' => 'date',
'created_at' => 'datetime',
'updated_at' => 'datetime'
];
/**
* 日付属性
*
* @var array
*/
protected $dates = [
'summary_start_date',
'summary_end_date',
'earnings_date',
'created_at',
'updated_at'
];
/**
* 集計タイプの定数
*/
const TYPE_DAILY = '日次';
const TYPE_MONTHLY = '月次';
const TYPE_YEARLY = '年次';
/**
* 駐輪場との関連
*
* @return \Illuminate\Database\Eloquent\Relations\BelongsTo
*/
public function park()
{
return $this->belongsTo(Park::class, 'park_id', 'park_id');
}
/**
* 車種区分との関連
*
* @return \Illuminate\Database\Eloquent\Relations\BelongsTo
*/
public function psection()
{
return $this->belongsTo(Psection::class, 'psection_id', 'psection_id');
}
/**
* 指定期間の売上集計データを取得
*
* @param int $parkId 駐輪場ID
* @param string $startDate 開始日
* @param string $endDate 終了日
* @param string|null $summaryType 集計タイプ
* @return \Illuminate\Database\Eloquent\Collection
*/
public static function getEarningsByPeriod(int $parkId, string $startDate, string $endDate, ?string $summaryType = null)
{
$query = self::where('park_id', $parkId)
->whereBetween('earnings_date', [$startDate, $endDate]);
if ($summaryType) {
$query->where('summary_type', $summaryType);
}
return $query->with(['park', 'psection'])
->orderBy('earnings_date')
->orderBy('psection_id')
->get();
}
/**
* 駐輪場別の売上合計を取得
*
* @param int $parkId 駐輪場ID
* @param string $startDate 開始日
* @param string $endDate 終了日
* @return array 売上合計データ
*/
public static function getEarningsTotalByPark(int $parkId, string $startDate, string $endDate): array
{
$result = self::where('park_id', $parkId)
->whereBetween('earnings_date', [$startDate, $endDate])
->selectRaw('
SUM(regular_new_count) as total_new_count,
SUM(regular_new_amount) as total_new_amount,
SUM(regular_update_count) as total_update_count,
SUM(regular_update_amount) as total_update_amount,
SUM(turnsum_count) as total_turnsum_count,
SUM(turnsum) as total_turnsum,
SUM(refunds) as total_refunds,
SUM(reissue_count) as total_reissue_count,
SUM(reissue_amount) as total_reissue_amount
')
->first();
return $result ? $result->toArray() : [];
}
/**
* 最新の集計日を取得
*
* @param int|null $parkId 駐輪場ID省略時は全体
* @param string|null $summaryType 集計タイプ
* @return string|null 最新集計日
*/
public static function getLatestEarningsDate(?int $parkId = null, ?string $summaryType = null): ?string
{
$query = self::query();
if ($parkId) {
$query->where('park_id', $parkId);
}
if ($summaryType) {
$query->where('summary_type', $summaryType);
}
$latest = $query->max('earnings_date');
return $latest ? Carbon::parse($latest)->format('Y-m-d') : null;
}
/**
* 期間の売上データを削除
*
* @param int $parkId 駐輪場ID
* @param string $startDate 開始日
* @param string $endDate 終了日
* @param string|null $summaryType 集計タイプ
* @return int 削除件数
*/
public static function deleteEarningsByPeriod(int $parkId, string $startDate, string $endDate, ?string $summaryType = null): int
{
$query = self::where('park_id', $parkId)
->where('summary_start_date', $startDate)
->where('summary_end_date', $endDate);
if ($summaryType) {
$query->where('summary_type', $summaryType);
}
return $query->delete();
}
/**
* 売上集計データの作成
*
* @param array $data 売上データ
* @return EarningsSummary 作成されたモデル
*/
public static function createEarningsSummary(array $data): EarningsSummary
{
$defaultData = [
'regular_new_count' => 0,
'regular_new_amount' => 0.00,
'regular_new_reduction_count' => 0,
'regular_new_reduction_amount' => 0.00,
'regular_update_count' => 0,
'regular_update_amount' => 0.00,
'regular_update_reduction_count' => 0,
'regular_update_reduction_amount' => 0.00,
'turnsum_count' => 0,
'turnsum' => 0.00,
'refunds' => 0.00,
'other_income' => 0.00,
'other_spending' => 0.00,
'reissue_count' => 0,
'reissue_amount' => 0.00,
'operator_id' => 0
];
$mergedData = array_merge($defaultData, $data);
return self::create($mergedData);
}
/**
* 売上合計の計算
*
* @return float 売上合計
*/
public function getTotalEarningsAttribute(): float
{
return $this->regular_new_amount +
$this->regular_update_amount +
$this->turnsum +
$this->reissue_amount +
$this->other_income -
$this->other_spending -
$this->refunds;
}
/**
* 文字列表現
*
* @return string
*/
public function __toString(): string
{
return sprintf(
'EarningsSummary[ID:%d, Park:%d, Type:%s, Date:%s]',
$this->earnings_summary_id,
$this->park_id,
$this->summary_type,
$this->earnings_date ? $this->earnings_date->format('Y-m-d') : 'N/A'
);
}
}

View File

@ -1,23 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class Feature extends Model
{
// テーブル名Laravel規約なら省略可だが明示
protected $table = 'features';
// 主キー
protected $primaryKey = 'id';
// タイムスタンプ使用
public $timestamps = true;
// 一括代入許可カラム
protected $fillable = [
'code', // 機能コード
'name', // 機能名
];
}

View File

@ -1,229 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
use Carbon\Carbon;
/**
* ハードウェアチェックログモデル - hardware_check_logテーブル
*
* デバイスのハードウェア状態監視ログを管理
*/
class HardwareCheckLog extends Model
{
/**
* テーブル名
*
* @var string
*/
protected $table = 'hardware_check_log';
/**
* プライマリキー
*
* @var string
*/
protected $primaryKey = 'log_id';
/**
* 一括代入可能な属性
*
* @var array
*/
protected $fillable = [
'device_id', // デバイスID
'status', // ステータス
'status_comment', // ステータスコメント
'created_at', // 作成日時
'updated_at', // 更新日時
'operator_id' // オペレータID
];
/**
* キャストする属性
*
* @var array
*/
protected $casts = [
'log_id' => 'integer',
'device_id' => 'integer',
'status' => 'integer',
'operator_id' => 'integer',
'created_at' => 'datetime',
'updated_at' => 'datetime'
];
/**
* ステータスの定数
*/
const STATUS_NORMAL = 1; // 正常
const STATUS_WARNING = 2; // 警告
const STATUS_ERROR = 3; // エラー
const STATUS_UNKNOWN = 0; // 不明
/**
* デバイスとの関連
*
* @return \Illuminate\Database\Eloquent\Relations\BelongsTo
*/
public function device()
{
return $this->belongsTo(Device::class, 'device_id', 'device_id');
}
/**
* 指定デバイスの最新ハードウェア状態を取得
*
* @param int $deviceId デバイスID
* @return HardwareCheckLog|null 最新ログ
*/
public static function getLatestStatusByDevice(int $deviceId): ?HardwareCheckLog
{
return self::where('device_id', $deviceId)
->orderBy('created_at', 'desc')
->first();
}
/**
* 全デバイスの最新ハードウェア状態を取得
*
* @return \Illuminate\Database\Eloquent\Collection
*/
public static function getLatestStatusForAllDevices()
{
return self::select('device_id')
->selectRaw('MAX(created_at) as latest_created_at')
->groupBy('device_id')
->with(['device'])
->get()
->map(function ($log) {
return self::where('device_id', $log->device_id)
->where('created_at', $log->latest_created_at)
->with(['device'])
->first();
})
->filter();
}
/**
* 異常状態のデバイスを取得
*
* @return \Illuminate\Database\Eloquent\Collection
*/
public static function getAbnormalDevices()
{
$latestLogs = self::getLatestStatusForAllDevices();
return $latestLogs->filter(function ($log) {
return $log->status !== self::STATUS_NORMAL;
});
}
/**
* 指定期間内のログを取得
*
* @param int $deviceId デバイスID
* @param string $startTime 開始時刻
* @param string $endTime 終了時刻
* @return \Illuminate\Database\Eloquent\Collection
*/
public static function getLogsByPeriod(int $deviceId, string $startTime, string $endTime)
{
return self::where('device_id', $deviceId)
->whereBetween('created_at', [$startTime, $endTime])
->orderBy('created_at', 'desc')
->get();
}
/**
* ハードウェア状態ログを作成
*
* @param int $deviceId デバイスID
* @param int $status ステータス
* @param string $statusComment ステータスコメント
* @param int|null $operatorId オペレータID
* @return HardwareCheckLog 作成されたログ
*/
public static function createLog(
int $deviceId,
int $status,
string $statusComment = '',
?int $operatorId = null
): HardwareCheckLog {
return self::create([
'device_id' => $deviceId,
'status' => $status,
'status_comment' => $statusComment,
'operator_id' => $operatorId ?? 0
]);
}
/**
* ステータス名を取得
*
* @param int $status ステータス
* @return string ステータス名
*/
public static function getStatusName(int $status): string
{
switch ($status) {
case self::STATUS_NORMAL:
return '正常';
case self::STATUS_WARNING:
return '警告';
case self::STATUS_ERROR:
return 'エラー';
case self::STATUS_UNKNOWN:
return '不明';
default:
return "ステータス{$status}";
}
}
/**
* 現在のステータス名を取得
*
* @return string ステータス名
*/
public function getStatusNameAttribute(): string
{
return self::getStatusName($this->status);
}
/**
* 正常状態かどうかを判定
*
* @return bool 正常状態かどうか
*/
public function isNormal(): bool
{
return $this->status === self::STATUS_NORMAL;
}
/**
* 異常状態かどうかを判定
*
* @return bool 異常状態かどうか
*/
public function isAbnormal(): bool
{
return $this->status !== self::STATUS_NORMAL;
}
/**
* 文字列表現
*
* @return string
*/
public function __toString(): string
{
return sprintf(
'HardwareCheckLog[ID:%d, Device:%d, Status:%s, Time:%s]',
$this->log_id,
$this->device_id,
$this->getStatusNameAttribute(),
$this->created_at ? $this->created_at->format('Y-m-d H:i:s') : 'N/A'
);
}
}

View File

@ -1,25 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class InvSetting extends Model
{
protected $table = 'inv_setting';
protected $primaryKey = 'seq';
public $timestamps = true;
protected $fillable = [
't_number', // 適格事業者番号
't_name', // 事業者名
'zipcode', // 郵便番号
'adrs', // 住所
'bldg', // 建物名
'tel_num', // 電話番号
'fax_num', // FAX番号
'company_image_path', // 会社ロゴ画像パス(任意)
];
}

View File

@ -1,40 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class JurisdictionParking extends Model
{
// テーブル名を複数形に統一
protected $table = 'jurisdiction_parking';
// 主キー
protected $primaryKey = 'jurisdiction_parking_id';
// 可変項目
protected $fillable = [
'jurisdiction_parking_name',
'ope_id',
'park_id',
'operator_id',
];
public $timestamps = true;
// リレーション
public function operator()
{
return $this->belongsTo(User::class, 'operator_id');
}
public function park()
{
return $this->belongsTo(Park::class, 'park_id');
}
public function ope()
{
return $this->belongsTo(Ope::class, 'ope_id');
}
}

View File

@ -1,60 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class Manager extends Model
{
protected $table = 'manager';
protected $primaryKey = 'manager_id';
public $incrementing = true;
protected $keyType = 'int';
// timestamps は created_at / updated_at があるのでデフォルト true のまま
protected $fillable = [
'manager_name',
'manager_type',
'manager_parkid',
'manager_device1',
'manager_device2',
'manager_mail',
'manager_tel',
'manager_alert1',
'manager_alert2',
'manager_quit_flag',
'manager_quitday',
'operator_id',
];
protected $casts = [
'manager_parkid' => 'integer',
'manager_device1' => 'integer',
'manager_device2' => 'integer',
'manager_alert1' => 'boolean',
'manager_alert2' => 'boolean',
'manager_quit_flag' => 'boolean',
'manager_quitday' => 'date',
'operator_id' => 'integer',
];
// --- リレーション(テーブル名は既存に合わせて調整してください)
public function park() { return $this->belongsTo(Park::class, 'manager_parkid', 'park_id'); }
public function device1() { return $this->belongsTo(Device::class, 'manager_device1', 'device_id'); }
public function device2() { return $this->belongsTo(Device::class, 'manager_device2', 'device_id'); }
// Blade 互換のヘルパlist.blade.php で getXxx() を呼んでいるため)
public function getPark() { return $this->park; }
public function getDevice1() { return $this->device1; }
public function getDevice2() { return $this->device2; }
public function getManagerQuitFlagDisplay()
{
return $this->manager_quit_flag ? '退職' : '在職';
}
public function getManagerQuitFlagDisplayAttribute()
{
return $this->getManagerQuitFlagDisplay();
}
}

View File

@ -19,7 +19,9 @@ class Ope extends Authenticatable
// オペレータタイプ定数(旧システムから継承)
const OPE_TYPE = [
'管理者',
'職員',
'マネージャー',
'オペレーター',
'エリアマネージャー',
];
protected $table = 'ope'; // データベーステーブル名(旧システムと同じ)
@ -27,42 +29,33 @@ class Ope extends Authenticatable
/**
* 一括代入可能な属性
* Laravel 5.7から引き継いだフィールド構成 + OTP認証フィールド
* Laravel 5.7から引き継いだフィールド構成
*/
protected $fillable = [
'//TODO オペレータID not found in database specs',
'login_id', // ログインID
'password', // パスワード
'ope_name', // オペレータ名
'ope_type', // オペレータ種別
'ope_mail', // メールアドレス(複数可)
'ope_mail', // メールアドレス
'ope_phone', // 電話番号
'ope_sendalart_que1',
'ope_sendalart_que2',
'ope_sendalart_que3',
'ope_sendalart_que4',
'ope_sendalart_que5',
'ope_sendalart_que6',
'ope_sendalart_que7',
'ope_sendalart_que8',
'ope_sendalart_que9',
'ope_sendalart_que10',
'ope_sendalart_que11',
'ope_sendalart_que12',
'ope_sendalart_que13',
'ope_auth1',
'ope_auth2',
'ope_auth3',
'ope_auth4',
'ope_quit_flag',
'ope_quitday',
// OTP認証関連フィールドメール二段階認証
'email_otp_code_hash',
'email_otp_expires_at',
'email_otp_last_sent_at',
'email_otp_verified_at',
// パスワード変更関連フィールド(定期パスワード変更)
'ope_pass_changed_at',
'ope_sendalart_que1', // キュー1アラート送信
'ope_sendalart_que2', // キュー2アラート送信
'ope_sendalart_que3', // キュー3アラート送信
'ope_sendalart_que4', // キュー4アラート送信
'ope_sendalart_que5', // キュー5アラート送信
'ope_sendalart_que6', // キュー6アラート送信
'ope_sendalart_que7', // キュー7アラート送信
'ope_sendalart_que8', // キュー8アラート送信
'ope_sendalart_que9', // キュー9アラート送信
'ope_sendalart_que10', // キュー10アラート送信
'ope_sendalart_que11', // キュー11アラート送信
'ope_sendalart_que12', // キュー12アラート送信
'ope_sendalart_que13', // キュー13アラート送信
'ope_auth1', // 権限1
'ope_auth2', // 権限2
'ope_auth3', // 権限3
'ope_auth4', // 権限4
'ope_quit_flag', // 退職フラグ
'ope_quitday' // 退職日
];
/**
@ -131,7 +124,7 @@ class Ope extends Authenticatable
// POST検索条件の処理
if ($inputs['isMethodPost']) {
// 検索条件があればここに追加
}
// ソート処理
@ -143,14 +136,12 @@ class Ope extends Authenticatable
if ($inputs['isExport']) {
$list = $list->get();
} else {
// ページネーション件数を20に固定
$list = $list->paginate(20);
$list = $list->paginate(\App\Utils::item_per_page);
}
return $list;
}
/**
* プライマリキーでオペレータを取得
*
@ -183,12 +174,4 @@ class Ope extends Authenticatable
{
return self::pluck('ope_name', 'ope_id');
}
/**
* このオペレータが属する運営元を取得
*/
public function management(): \Illuminate\Database\Eloquent\Relations\BelongsTo
{
return $this->belongsTo(Management::class, 'management_id', 'management_id');
}
}

View File

@ -1,65 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class OpePermission extends Model
{
// テーブル名
protected $table = 'ope_permission';
// 主キー
protected $primaryKey = 'id';
// created_at / updated_at を使用
public $timestamps = true;
// 一括代入許可カラム
protected $fillable = [
'municipality_id', // 自治体ID外部キー
'feature_id', // 機能ID外部キー
'permission_id', // 操作権限ID外部キー
];
/**
* 機能単位で権限を置換(自治体単位)
* municipality_id + feature_id の組み合わせを置換する
*/
public static function replaceByFeature(
int $municipalityId,
int $featureId,
array $permissionIds
): void {
// ※既存削除
self::query()
->where('municipality_id', $municipalityId)
->where('feature_id', $featureId)
->delete();
// ※新規追加
$permissionIds = array_values(array_unique(array_map('intval', $permissionIds)));
foreach ($permissionIds as $pid) {
self::create([
'municipality_id' => $municipalityId,
'feature_id' => $featureId,
'permission_id' => $pid,
]);
}
}
/**
* 付与済み権限ID一覧を取得自治体単位
*/
public static function getPermissionIds(
int $municipalityId,
int $featureId
): array {
return self::query()
->where('municipality_id', $municipalityId)
->where('feature_id', $featureId)
->pluck('permission_id')
->map(fn ($v) => (int)$v)
->toArray();
}
}

View File

@ -1,25 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class OperatorLog extends Model
{
protected $table = 'operator_log';
protected $primaryKey = 'operator_log_id';
public $timestamps = false;
protected $fillable = [
'operator_id',
'remote_ip',
'browser_user_agent',
'user_id',
'contract_id',
'operation_code',
'operation_comment',
'operation_form_name',
'operation_table_name',
'created_at',
'updated_at',
];
}

View File

@ -1,87 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class OperatorQue extends Model
{
protected $table = 'operator_que';
protected $primaryKey = 'que_id';
public $timestamps = true;
protected $fillable = [
'que_class',
'user_id',
'contract_id',
'park_id',
'que_comment',
'que_status',
'que_status_comment',
'work_instructions',
'operator_id',
];
// 定数
/** キュー種別 */
public const QueClass = [
1 => '本人確認(社会人)',
2 => '本人確認(学生)',
3 => 'タグ発送',
4 => '予約告知通知',
5 => '定期更新通知',
6 => '返金処理',
7 => '再発行リミット超過',
8 => '支払い催促',
9 => 'シール発行催促',
10 => 'シール再発行',
11 => '名寄せフリガナ照合エラー',
12 => '本人確認(減免更新)',
13 => '本人確認(学生更新)',
101 => 'サーバーエラー',
102 => 'プリンタエラー',
103 => 'スキャナーエラー',
104 => 'プリンタ用紙残少警告',
];
/** キューステータス */
public const QueStatus = [
1 => 'キュー発生',
2 => 'キュー作業中',
3 => 'キュー作業済',
4 => '返金済',
];
public function getQueClassLabel(): string
{
return self::QueClass[$this->que_class] ?? 'キュー種別未設定';
}
public function getQueStatusLabel(): string
{
return self::QueStatus[$this->que_status] ?? (string)$this->que_status;
}
public function user()
{
return $this->belongsTo(User::class, 'user_id');
}
public function park()
{
return $this->belongsTo(Park::class, 'park_id');
}
public function contract()
{
return $this->belongsTo(Contract::class, 'contract_id');
}
public function operator()
{
return $this->belongsTo(User::class, 'operator_id');
}
public function getUser() { return $this->user; }
public function getPark() { return $this->park; }
}

View File

@ -2,152 +2,86 @@
namespace App\Models;
use App\Utils;
use App\Models\City;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Support\Facades\Auth;
class Park extends Model
{
const CREATED_AT = 'created_at';
const UPDATED_AT = 'updated_at';
protected $table = 'park';
protected $primaryKey = 'park_id';
public $timestamps = true;
/**
* The attributes that are mass assignable.
*
* @var list<string>
*/
protected $fillable = [
'park_id', // 駐輪場ID
'city_id', // 市区
'park_name', // 駐輪場名
'park_ruby', // 駐輪場ふりがな
'park_syllabary', // 駐輪場五十音
'park_adrs', // 住所
'park_close_flag', // 閉設フラグ
'park_day', // 閉設日
'price_memo', // 価格メモ
'alert_flag', // 残警告チェックフラグ
'print_number', // 印字数
'keep_alive', // 最新キープアライブ
'update_grace_period_start_date', // 更新期間開始日
'update_grace_period_start_time', // 更新期間開始時
'update_grace_period_end_date', // 更新期間終了日
'update_grace_period_end_time', // 更新期間終了時
'parking_start_grace_period', // 駐輪開始猶予期間
'reminder_type', // リマインダー種別
'reminder_time', // リマインダー時間
'immediate_use_permit', // 契約後即利用許可
'gender_display_flag', // 項目表示設定:性別
'bd_display_flag', // 項目表示設定:生年月日
'securityreg_display_flag', // 項目表示設定:防犯登録番号
'distance_twopoints', // 二点間距離
'park_latitude', // 駐車場座標(緯度)
'park_longitude', // 駐車場座標(経度)
'park_tel', // 電話番号
'park_fixed_contract', // 駐輪場契約形態(定期)
'park_temporary_contract', // 駐輪場契約形態(一時利用)
'park_restriction', // 車種制限
'park_procedure', // 手続方法
'park_payment', // 支払方法
'park_available_time_flag', // 利用可能時間制限フラグ
'park_available_time_from', // 利用可能時間(開始)
'park_available_time_to', // 利用可能時間(終了)
'park_manager_flag', // 常駐管理人フラグ
'park_manager_resident_from', // 常駐時間(開始)
'park_manager_resident_to', // 常駐時間(終了)
'park_roof_flag', // 屋根フラグ
'park_issuing_machine_flag', // シール発行機フラグ
'park_using_method', // 駐輪場利用方法
'park_contract_renewal_term', // 定期更新期間
'park_reservation', // 空き待ち予約
'park_reference', // 特記事項
'student_id_confirmation_type', // 学生証確認種別
'reduction_guide_display_flag', // 減免案内表示フラグ
'reduction_age', // 減免対象年齢
'reduction_guide_display_start_month', // 減免案内表示開始月数
'overyear_flag', // 年跨ぎ
'inverse_use_flag1', // 逆利用一般
'inverse_use_flag2', // 逆利用学生
'parking_regulations_flag' // 駐輪規定フラグ
'park_name',
'park_address',
'park_phone',
'park_description',
'park_status',
'park_capacity',
'park_price',
'park_operating_hours',
];
/**
* 駐車場検索
*/
public static function search($inputs)
{
$list = self::query();
if ($inputs['isMethodPost']) {
$query = self::query();
// 検索条件の適用
if (!empty($inputs['park_name'])) {
$query->where('park_name', 'like', '%' . $inputs['park_name'] . '%');
}
// Sort
if ($inputs['sort']) {
$list->orderBy($inputs['sort'], $inputs['sort_type']);
if (!empty($inputs['park_address'])) {
$query->where('park_address', 'like', '%' . $inputs['park_address'] . '%');
}
if ($inputs['isExport']){
$list = $list->get();
if (isset($inputs['park_status']) && $inputs['park_status'] !== '') {
$query->where('park_status', $inputs['park_status']);
}
// ソート
if (!empty($inputs['sort'])) {
$sortType = !empty($inputs['sort_type']) ? $inputs['sort_type'] : 'asc';
$query->orderBy($inputs['sort'], $sortType);
} else {
$list = $list->paginate(Utils::item_per_page);
}
return $list;
$query->orderBy('park_id', 'desc');
}
public static function getByPk($pk)
{
return self::find($pk);
// エクスポート用の場合はページネーションしない
if (!empty($inputs['isExport'])) {
return $query->get();
}
public static function deleteByPk($arr)
{
return self::whereIn('park_id', $arr)->delete();
}
public static function boot()
{
parent::boot();
self::creating(function (Park $model) {
$model->operator_id = Auth::user()->ope_id ?? null;
});
// ページネーションUtilsクラスの定数を使用
return $query->paginate(\App\Utils::item_per_page);
}
/**
* GET 閉設フラグ
* IDで駐車場を取得
*/
public function getParkCloseFlagDisplay() {
if($this->park_close_flag == 1) {
return '閉設';
}
else if($this->park_close_flag == 0) {
return '開設';
}
return '';
}
public function getCity()
public static function getParkById($id)
{
// city_id => city_id (City モデル要有 city_id PK)
return $this->belongsTo(City::class, 'city_id', 'city_id')->first();
}
public static function getList(){
return self::pluck('park_name','park_id');
}
public static function getIdByName($park_name){
return self::where('park_name',$park_name)->pluck('park_id')->first();
return self::find($id);
}
/**
* 料金設定との関連付け
* @return \Illuminate\Database\Eloquent\Relations\HasMany
* 駐車場リストを取得(ドロップダウン用)
*/
public function prices()
public static function getList()
{
return $this->hasMany(PriceA::class, 'park_id', 'park_id');
return self::pluck('park_name', 'park_id')->toArray();
}
/**
* 定期契約とのリレーション
*/
public function regularContracts()
{
return $this->hasMany(RegularContract::class, 'park_id', 'park_id');
}
}

View File

@ -1,30 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class ParkingRegulation extends Model
{
// テーブル名
protected $table = 'parking_regulations';
// プライマリキー
protected $primaryKey = 'parking_regulations_seq';
// 自動インクリメントが有効
public $incrementing = true;
// タイムスタンプ自動管理
public $timestamps = true;
// マスアサイン可能カラム
protected $fillable = [
'park_id',
'psection_id',
'ptype_id',
'regulations_text',
];
// 必要ならリレーションを追加Park / Psection / Ptype がある場合)
}

View File

@ -1,40 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class Payment extends Model
{
protected $table = 'payment';
protected $primaryKey = 'payment_id';
public $incrementing = true;
protected $keyType = 'int';
public $timestamps = true;
protected $fillable = [
'payment_companyname',
'payment_add',
'payment_detail',
'payment_space1',
'payment_space2',
'payment_title',
'payment_guide',
'payment_inquiryname',
'payment_inquirytel',
'payment_time',
'operator_id',
];
protected $casts = [
'payment_id' => 'integer',
'operator_id' => 'integer',
'created_at' => 'datetime',
'updated_at' => 'datetime',
];
}

View File

@ -1,32 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class Permission extends Model
{
// テーブル名
protected $table = 'permissions';
// 主キー
protected $primaryKey = 'id';
// created_at / updated_at を使用
public $timestamps = true;
// 一括代入許可カラム
protected $fillable = [
'code', // 操作コードread/create/update/delete/export
'name', // 操作名(閲覧/登録/編集/削除/CSV出力
];
/**
* 操作コードからIDを取得存在しない場合はnull
*/
public static function idByCode(string $code): ?int
{
$row = self::query()->where('code', $code)->first(['id']);
return $row?->id;
}
}

View File

@ -65,14 +65,10 @@ class Pplace extends Model
/**
* 主キー配列で一括削除
*/
public static function deleteByPk($ids)
public static function deleteByPk($arr)
{
if (!is_array($ids)) {
$ids = [$ids];
return self::whereIn('pplace_id', $arr)->delete();
}
return self::whereIn('pplace_id', $ids)->delete();
}
/**
* 選択リスト取得用(フォーム等)

View File

@ -1,140 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Support\Facades\Auth;
class Price extends Model
{
const CREATED_AT = 'created_at';
const UPDATED_AT = 'updated_at';
const PRICE_MONTH = [
1 => '1ヶ月',
2 => '2ヶ月',
3 => '3ヶ月',
4 => '6ヶ月',
5 => '12ヶ月',
];
protected $table = 'price';
protected $primaryKey = 'price_parkplaceid';
protected $fillable = [
'price_parkplaceid',
'prine_name',
'price_month',
'park_id',
'psection_id',
'price_ptypeid',
'user_categoryid',
'pplace_id',
'price'
];
public static function boot()
{
parent::boot();
self::creating(function (Price $model) {
$model->operator_id = Auth::user()->ope_id;
});
}
public static function search($inputs)
{
$query = self::query()
->select(
'price.*',
\DB::raw("CONCAT_WS('', usertype.usertype_subject1, usertype.usertype_subject2, usertype.usertype_subject3) as user_category_name"),
'psection.psection_subject',
'ptype.ptype_subject'
)
->leftJoin('usertype', 'price.user_categoryid', '=', 'usertype.user_categoryid')
->leftJoin('psection', 'price.psection_id', '=', 'psection.psection_id')
->leftJoin('ptype', 'price.price_ptypeid', '=', 'ptype.ptype_id');
// ソート対象カラム
$allowedSortColumns = [
'price_parkplaceid', // 駐車場所ID
'park_id', // 駐輪場ID
'prine_name', // 商品名
'price_month', // 期間
'user_categoryid', // 利用者分類ID
'price', // 駐輪料金(税込)
'psection_id', // 車種区分ID
'price_ptypeid', // 駐輪分類ID
'pplace_id', // 駐車車室ID
];
$sortColumn = $inputs['sort'] ?? '';
$sortType = strtolower($inputs['sort_type'] ?? 'asc');
if (in_array($sortColumn, $allowedSortColumns, true)) {
if (!in_array($sortType, ['asc', 'desc'], true)) {
$sortType = 'asc';
}
$query->orderBy($sortColumn, $sortType);
}
return $inputs['isExport']
? $query->get()
: $query->paginate(\App\Utils::item_per_page ?? 20);
}
public static function getByPk($pk)
{
return self::find($pk);
}
public static function deleteByPk($arr)
{
return self::whereIn('price_parkplaceid', $arr)->delete();
}
//TODO 駐車場所ID not found in database specs
//TODO 駐車車室ID not found in database specs
public function getPark()
{
return $this->belongsTo(Park::class, 'park_id', 'park_id')->first();
}
public function getPSection()
{
return $this->belongsTo(Psection::class, 'psection_id', 'psection_id')->first();
}
public function getPType()
{
return $this->belongsTo(Ptype::class, 'price_ptypeid', 'ptype_id')->first();
}
public function getUserType()
{
return $this->belongsTo(Usertype::class, 'user_categoryid', 'user_categoryid')->first();
}
public function psection()
{
return $this->belongsTo(Psection::class, 'psection_id'); // 外部キーが psection_id
}
public function ptype()
{
return $this->belongsTo(Ptype::class, 'price_ptypeid'); // 外部キーが price_ptypeid
}
public function pplace()
{
return $this->belongsTo(Pplace::class, 'pplace_id'); // 外部キーが pplace_id
}
// public function getStation()
// {
// return $this->belongsTo(Station::class, 'price_parkplaceid', 'park_id');
// }
}

View File

@ -58,5 +58,3 @@ class PriceA extends Model
}

View File

@ -1,25 +0,0 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class PriceB extends Model
{
protected $table = 'price_b';
protected $primaryKey = 'price_parkplaceid';
public $timestamps = true;
protected $fillable = [
'park_id', 'price_ptypeid', 'user_categoryid', 'price_month',
'price', 'prine_name', 'psection_id', 'pplace_id', 'operator_id',
];
/**
* 指定駐輪場IDの料金データ取得スコープ
*/
public function scopeForPark($query, $parkId)
{
return $query->where('park_id', $parkId);
}
}

Some files were not shown because too many files have changed in this diff Show More