| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508 |
- <?php
- namespace app\job;
- use app\service\AIGatewayService;
- use think\Db;
- use think\Exception;
- use think\Queue;
- use think\queue\Job;
- use Redis;
- /**
- * 文生图任务处理类
- * 描述:接收提示词,通过模型生成图像,保存图像并记录数据库信息,是链式任务中的最后一环
- */
- class TextToImageJob
- {
- /**
- * 队列入口方法
- * @param Job $job 队列任务对象
- * @param array $data 任务传参,包含图像文件名、路径、尺寸、提示词等
- */
- public function fire(Job $job, $data)
- {
- if (empty($data['status_val']) || $data['status_val'] == '文生图') {
- // 获取任务ID
- $taskId = $data['id'] ?? null;
- if (empty($taskId)) {
- $job->delete();
- return;
- }
- // 创建Redis连接
- $redis = new \Redis();
- $redis->connect('127.0.0.1', 6379);
- $redis->auth('123456');
- $redis->select(15);
- // 设置锁键名
- $lockKey = "text_to_image_lock:{$taskId}";
- $lockExpire = 300; // 锁的过期时间,单位:秒(5分钟)
- // 尝试获取锁(使用SET命令的NX和EX选项进行原子操作)
- // NX: 只在键不存在时设置
- // EX: 设置过期时间
- $lockAcquired = $redis->set($lockKey, time(), ['NX', 'EX' => $lockExpire]);
- if (!$lockAcquired) {
- // 无法获取锁,任务正在执行
- echo "❌ 检测到相同ID({$taskId})的任务正在执行,当前任务跳过\n";
- $job->delete();
- return;
- } else {
- echo "🔒 成功获取任务锁,ID: {$taskId}\n";
- }
- echo "━━━━━━━━━━ ▶ 文生图任务开始处理━━━━━━━━━━\n";
- $result = $this->get_txt_to_img($data);
- // 标准化结果文本
- if ($result === true || $result === 1 || $result === '成功') {
- $resultText = '成功';
- } else {
- $resultText = (string) $result ?: '失败或无返回';
- }
- echo "✅ 处理结果:{$resultText}\n";
- echo "完成时间:" . date('Y-m-d H:i:s') . "\n";
- echo "文生图已处理完成\n";
- // 释放锁 - 使用del()替代被弃用的delete()方法
- $redis->del($lockKey);
- echo "🔓 释放任务锁,ID: {$taskId}\n";
- $job->delete();
- die;
- } else {
- $logId = $data['log_id'] ?? null;
- try {
- // 任务类型校验(必须是文生图)
- if (!isset($data['type']) || $data['type'] !== '文生图') {
- $job->delete();
- return;
- }
- $startTime = date('Y-m-d H:i:s');
- echo "━━━━━━━━━━ ▶ 文生图任务开始处理━━━━━━━━━━\n";
- echo "处理时间:{$startTime}\n";
- // 更新日志状态:处理中
- if ($logId) {
- Db::name('image_task_log')->where('id', $logId)->update([
- 'status' => 1,
- 'log' => '文生图处理中',
- 'update_time' => $startTime
- ]);
- }
- // 拼接原图路径
- $old_image_url = rtrim($data['sourceDir'], '/') . '/' . ltrim($data['file_name'], '/');
- $list = Db::name("text_to_image")
- ->where('old_image_url', $old_image_url)
- ->where('img_name', '<>', '')
- // ->where('status', 0)
- ->select();
- if (!empty($list)) {
- $total = count($list);
- echo "📊 共需处理:{$total} 条记录\n";
- foreach ($list as $index => $row) {
- $currentIndex = $index + 1;
- $begin = date('Y-m-d H:i:s');
- echo "👉 正在处理第 {$currentIndex} 条,ID: {$row['id']}\n";
- // 图像生成
- $result = $this->textToImage(
- $data["file_name"],
- $data["outputDir"],
- $data["width"],
- $data["height"],
- $row["chinese_description"],
- $row["img_name"],
- $data["selectedOption"],
- $data["executeKeywords"],
- $data['sourceDir']
- );
- // 标准化结果文本
- if ($result === true || $result === 1 || $result === '成功') {
- $resultText = '成功';
- // 日志状态设置为成功(仅在未提前失败时)
- if ($logId) {
- Db::name('image_task_log')->where('id', $logId)->update([
- 'status' => 2,
- 'log' => '文生图处理成功',
- 'update_time' => date('Y-m-d H:i:s')
- ]);
- }
- } else {
- $resultText = (string) $result ?: '失败或无返回';
- }
- echo "✅ 处理结果:{$resultText}\n";
- echo "完成时间:" . date('Y-m-d H:i:s') . "\n";
- echo "文生图已处理完成\n";
- // 若包含关键词,日志状态标为失败(-1)
- if (strpos($resultText, '包含关键词') !== false) {
- // 命中关键词类错误,状态设为失败
- if ($logId) {
- Db::name('image_task_log')->where('id', $logId)->update([
- 'status' => -1,
- 'log' => $resultText,
- 'update_time' => date('Y-m-d H:i:s')
- ]);
- }
- }
- }
- }
- // 处理链式任务(如果有)
- if (!empty($data['chain_next'])) {
- $nextType = array_shift($data['chain_next']);
- $data['type'] = $nextType;
- Queue::push('app\job\ImageArrJob', [
- 'task_id' => $data['task_id'],
- 'data' => [$data]
- ], 'arrimage');
- }
- $job->delete();
- } catch (\Exception $e) {
- echo "❌ 异常信息: " . $e->getMessage() . "\n";
- echo "📄 文件: " . $e->getFile() . "\n";
- echo "📍 行号: " . $e->getLine() . "\n";
- if ($logId) {
- Db::name('image_task_log')->where('id', $logId)->update([
- 'status' => -1,
- 'log' => '文生图失败:' . $e->getMessage(),
- 'update_time' => date('Y-m-d H:i:s')
- ]);
- }
- $job->delete();
- }
- }
- $job->delete();
- }
- /**
- * 任务失败时的处理
- */
- public function failed($data)
- {
- // 记录失败日志或发送通知
- echo "ImageJob failed: " . json_encode($data);
- }
- public function get_txt_to_img($data){
- $prompt = trim($data['prompt']);
- $model = trim($data['model']);
- $size = trim($data['size']);
- // 获取产品信息
- $product = Db::name('product')->where('id', $data['id'])->find();
- if (empty($product)) {
- return '产品不存在';
- }
- $product_code = $product['product_code'];
- $product_code_prefix = substr($product_code, 0, 9); // 前九位
- // 构建URL路径(使用正斜杠)
- $url_path = '/uploads/merchant/' . $product_code_prefix . '/' . $product_code . '/newimg/';
- // 构建物理路径(使用正斜杠确保统一格式)
- $save_path = ROOT_PATH . 'public' . '/' . 'uploads' . '/' . 'merchant' . '/' . $product_code_prefix . '/' . $product_code . '/' . 'newimg' . '/';
- // 移除ROOT_PATH中可能存在的反斜杠,确保统一使用正斜杠
- $save_path = str_replace('\\', '/', $save_path);
- // 自动创建文件夹(如果不存在)
- if (!is_dir($save_path)) {
- mkdir($save_path, 0755, true);
- }
- // 调用AI生成图片
- $aiGateway = new AIGatewayService();
- $res = $aiGateway->callDalleApi($prompt, $model, $size);
- // 提取base64图片数据
- // if (isset($res['candidates'][0]['content']['parts'][0]['text'])) {
- // $text_content = $res['candidates'][0]['content']['parts'][0]['text'];
- // $text_content = $res['candidates'][0]['content']['parts'][0]['inlineData']['data'];
- // // 匹配base64图片数据
- // preg_match('/data:image\/(png|jpg|jpeg);base64,([^"]+)/', $text_content, $matches);
- // 提取base64图片数据
- $text_content = $res['candidates'][0]['content']['parts'][0]['inlineData']['data'];
- $str = 'data:image/jpeg;base64,';
- $text_content = $str. $text_content;
- // 匹配base64图片数据
- preg_match('/data:image\/(png|jpg|jpeg);base64,([^"]+)/', $text_content, $matches);
- if (empty($matches)) {
- return '未找到图片数据';
- }
- $image_type = $matches[1];
- $base64_data = $matches[2];
- // 解码base64数据
- $image_data = base64_decode($base64_data);
- if ($image_data === false) {
- return '图片解码失败';
- }
- // 生成唯一文件名(包含扩展名)
- $file_name = uniqid() . '.' . $image_type;
- $full_file_path = $save_path . $file_name;
- // 保存图片到文件系统
- if (!file_put_contents($full_file_path, $image_data)) {
- return '图片保存失败';
- }
- // 生成数据库存储路径(使用正斜杠格式)
- $db_img_path = $url_path . $file_name;
- Db::name('product')->where('id', $data['id'])->update(['product_new_img' => $db_img_path]);
- return '成功';
- // } else {
- // return 'AI返回格式错误';
- // }
- }
- /**
- * 文生图处理函数
- * 描述:根据提示词调用图像生成接口,保存图像文件,并更新数据库
- */
- public function textToImage($fileName, $outputDirRaw, $width, $height, $prompt, $img_name, $selectedOption,$executeKeywords,$sourceDir)
- {
- $rootPath = str_replace('\\', '/', ROOT_PATH);
- $outputDir = rtrim($rootPath . 'public/' . $outputDirRaw, '/') . '/';
- $dateDir = date('Y-m-d') . '/';
- $fullBaseDir = $outputDir . $dateDir;
- // 创建输出目录
- foreach ([$fullBaseDir, $fullBaseDir . '1024x1024/', $fullBaseDir . "{$width}x{$height}/"] as $dir) {
- if (!is_dir($dir)) mkdir($dir, 0755, true);
- }
- // 确保目录存在
- if (!is_dir($fullBaseDir . '2048x2048/')) {
- mkdir($fullBaseDir . '2048x2048/', 0755, true);
- }
- // 获取图像记录
- $record = Db::name('text_to_image')
- ->where('old_image_url', 'like', "%{$fileName}")
- ->order('id desc')
- ->find();
- Db::name('text_to_image')->where('id', $record['id'])->update([
- 'new_image_url' => '',
- ]);
- if (!$record) return '没有找到匹配的图像记录';
- //判断是否执行几何图
- if($executeKeywords == false){
- // 过滤关键词
- $prompt = preg_replace('/[\r\n\t]+/', ' ', $prompt);
- foreach (['几何', 'geometry', 'geometric'] as $keyword) {
- if (stripos($prompt, $keyword) !== false) {
- Db::name('text_to_image')->where('id', $record['id'])->update([
- 'status' => 3,
- 'error_msg' => "包含关键词".$keyword,
- 'update_time' => date('Y-m-d H:i:s')
- ]);
- return "包含关键词 - {$keyword}";
- }
- }
- }
- $template = Db::name('template')
- ->field('id,english_content,content')
- ->where('path',$sourceDir)
- ->where('ids',1)
- ->find();
- // AI 图像生成调用
- $ai = new AIGatewayService();
- $response = $ai->callDalleApi($template['content'].$prompt, $selectedOption);
- if (isset($response['error'])) {
- throw new \Exception("❌ 图像生成失败:" . $response['error']['message']);
- }
- // 支持 URL 格式(为主)和 base64
- $imgData = null;
- if (isset($res['candidates'][0]['content']['parts'][0]['text'])) {
- $text_content = $res['candidates'][0]['content']['parts'][0]['text'];
- // 匹配base64图片数据
- preg_match('/data:image\/(png|jpg|jpeg);base64,([^"]+)/', $text_content, $matches);
- if (empty($matches)) {
- return '未找到图片数据';
- }
- $image_type = $matches[1];
- $base64_data = $matches[2];
- // 解码base64数据
- $imgData = base64_decode($base64_data);
- }else if (isset($response['data'][0]['url'])) {
- $imgData = @file_get_contents($response['data'][0]['url']);
- } elseif (isset($response['data'][0]['b64_json'])) {
- $imgData = base64_decode($response['data'][0]['b64_json']);
- }
- if (!$imgData || strlen($imgData) < 1000) {
- throw new \Exception("❌ 图像内容为空或异常!");
- }
- // 保存文件路径定义
- $img_name = mb_substr(preg_replace('/[^\x{4e00}-\x{9fa5}A-Za-z0-9_\- ]/u', '', $img_name), 0, 30);
- $filename = $img_name . '.png';
- $path512 = $fullBaseDir . '1024x1024/' . $filename;
- $pathCustom = $fullBaseDir . "{$width}x{$height}/" . $filename;
- // 保存原图
- file_put_contents($path512, $imgData);
- // 数据库更新
- Db::name('text_to_image')->where('id', $record['id'])->update([
- 'new_image_url' => str_replace($rootPath . 'public/', '', $path512),
- // 注释以下一行则不保存裁剪路径(适配你的配置)
- // 'custom_image_url' => str_replace($rootPath . 'public/', '', $pathCustom),
- 'img_name' => $img_name,
- 'model' => $selectedOption,
- 'status' => trim($img_name) === '' ? 0 : 1,
- 'status_name' => "文生图",
- 'size' => "{$width}x{$height}",
- 'quality' => 'standard',
- 'style' => 'vivid',
- 'error_msg' => '',
- 'update_time' => date('Y-m-d H:i:s')
- ]);
- return "成功";
- }
- public function getImageSeed($taskId)
- {
- // 配置参数
- $apiUrl = 'https://chatapi.onechats.ai/mj/task/' . $taskId . '/fetch';
- $apiKey = 'sk-iURfrAgzAjhZ4PpPLwzmWIAhM7zKfrkwDvyxk4RVBQ4ouJNK';
- try {
- // 初始化cURL
- $ch = curl_init();
- // 设置cURL选项
- curl_setopt_array($ch, [
- CURLOPT_URL => $apiUrl,
- CURLOPT_RETURNTRANSFER => true,
- CURLOPT_CUSTOMREQUEST => 'GET', // 明确指定GET方法
- CURLOPT_HTTPHEADER => [
- 'Authorization: Bearer ' . $apiKey,
- 'Accept: application/json',
- 'Content-Type: application/json'
- ],
- CURLOPT_SSL_VERIFYPEER => false,
- CURLOPT_SSL_VERIFYHOST => false,
- CURLOPT_TIMEOUT => 60,
- CURLOPT_FAILONERROR => true // 添加失败时返回错误
- ]);
- // 执行请求
- $response = curl_exec($ch);
- $httpCode = curl_getinfo($ch, CURLINFO_HTTP_CODE);
- // 错误处理
- if (curl_errno($ch)) {
- throw new Exception('cURL请求失败: ' . curl_error($ch));
- }
- // 关闭连接
- curl_close($ch);
- // 验证HTTP状态码
- if ($httpCode < 200 || $httpCode >= 300) {
- throw new Exception('API返回错误状态码: ' . $httpCode);
- }
- // 解析JSON响应
- $responseData = json_decode($response, true);
- if (json_last_error() !== JSON_ERROR_NONE) {
- throw new Exception('JSON解析失败: ' . json_last_error_msg());
- }
- // 返回结构化数据
- return [
- 'success' => true,
- 'http_code' => $httpCode,
- 'data' => $responseData
- ];
- } catch (Exception $e) {
- // 确保关闭cURL连接
- if (isset($ch) && is_resource($ch)) {
- curl_close($ch);
- }
- return [
- 'success' => false,
- 'error' => $e->getMessage(),
- 'http_code' => $httpCode ?? 0
- ];
- }
- }
- /**
- * 发送API请求
- * @param string $url 请求地址
- * @param array $data 请求数据
- * @param string $apiKey API密钥
- * @param string $method 请求方法
- * @return string 响应内容
- * @throws Exception
- */
- private function sendApiRequest($url, $data, $apiKey, $method = 'POST')
- {
- $ch = curl_init();
- curl_setopt_array($ch, [
- CURLOPT_URL => $url,
- CURLOPT_RETURNTRANSFER => true,
- CURLOPT_CUSTOMREQUEST => $method,
- CURLOPT_HTTPHEADER => [
- 'Authorization: Bearer '.$apiKey,
- 'Accept: application/json',
- 'Content-Type: application/json'
- ],
- CURLOPT_POSTFIELDS => $method === 'POST' ? json_encode($data) : null,
- CURLOPT_SSL_VERIFYPEER => false,
- CURLOPT_SSL_VERIFYHOST => false,
- CURLOPT_TIMEOUT => 60,
- CURLOPT_FAILONERROR => true
- ]);
- $response = curl_exec($ch);
- $error = curl_error($ch);
- $httpCode = curl_getinfo($ch, CURLINFO_HTTP_CODE);
- curl_close($ch);
- if ($error) {
- throw new Exception('API请求失败: '.$error);
- }
- if ($httpCode < 200 || $httpCode >= 300) {
- throw new Exception('API返回错误状态码: '.$httpCode);
- }
- return $response;
- }
- }
|