Spaces:
Running
Running
File size: 12,426 Bytes
700fd72 435f67e 5aa82d5 435f67e 700fd72 74d0aae 700fd72 1fb1361 700fd72 f30e838 700fd72 f30e838 700fd72 f30e838 cc5ae63 700fd72 f30e838 700fd72 f30e838 700fd72 f30e838 700fd72 f30e838 700fd72 f30e838 700fd72 f30e838 700fd72 f30e838 700fd72 f30e838 700fd72 f30e838 700fd72 f30e838 700fd72 f30e838 435f67e 700fd72 435f67e |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 |
from flask import Flask, request, jsonify, send_file, render_template_string, make_response
import requests
import io
import os
import random
from PIL import Image
from deep_translator import GoogleTranslator
app = Flask(__name__)
API_URL = "https://api-inference.huggingface.co/models/CompVis/stable-diffusion-v1-4"
API_TOKEN = os.getenv("HF_READ_TOKEN")
headers = {"Authorization": f"Bearer {API_TOKEN}"}
timeout = 300 # タイムアウトを300秒に設定
# Function to query the API and return the generated image
def query(prompt, negative_prompt="", steps=35, cfg_scale=7, sampler="DPM++ 2M Karras", seed=-1, strength=0.7, width=1024, height=1024):
if not prompt:
return None, "Prompt is required"
key = random.randint(0, 999)
# Translate the prompt from Russian to English if necessary
prompt = GoogleTranslator(source='ru', target='en').translate(prompt)
print(f'Generation {key} translation: {prompt}')
# Add some extra flair to the prompt
prompt = f"{prompt} | ultra detail, ultra elaboration, ultra quality, perfect."
print(f'Generation {key}: {prompt}')
payload = {
"inputs": prompt,
"is_negative": False,
"steps": steps,
"cfg_scale": cfg_scale,
"seed": seed if seed != -1 else random.randint(1, 1000000000),
"strength": strength,
"parameters": {
"width": width,
"height": height
}
}
for attempt in range(3): # 最大3回の再試行
try:
response = requests.post(API_URL, headers=headers, json=payload, timeout=timeout)
if response.status_code != 200:
return None, f"Error: Failed to get image. Status code: {response.status_code}, Details: {response.text}"
image_bytes = response.content
image = Image.open(io.BytesIO(image_bytes))
return image, None
except requests.exceptions.Timeout:
if attempt < 2: # 最後の試行でない場合は再試行
print("Timeout occurred, retrying...")
continue
return None, "Error: The request timed out. Please try again."
except requests.exceptions.RequestException as e:
return None, f"Request Exception: {str(e)}"
except Exception as e:
return None, f"Error when trying to open the image: {e}"
# Content-Security-Policyヘッダーを設定するための関数
@app.after_request
def add_security_headers(response):
response.headers['Content-Security-Policy'] = (
"default-src 'self'; "
"connect-src 'self' ^https?:\/\/[\w.-]+\.[\w.-]+(\/[\w.-]*)*(\?[^\s]*)?$"
"img-src 'self' data:; "
"style-src 'self' 'unsafe-inline'; "
"script-src 'self' 'unsafe-inline'; "
)
return response
# HTML template for the index page
index_html = """
<!DOCTYPE html>
<html lang="ja">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>FLUX.1-Dev Image Generator</title>
<style>
#canvas {
position: absolute;
top: 0;
left: 0;
cursor: crosshair;
}
#container {
position: relative;
display: inline-block;
}
</style>
<script>
let isDrawing = false;
let lastX = 0;
let lastY = 0;
let penSize = 5;
let penColor = '#000000';
function startDrawing(event) {
isDrawing = true;
[lastX, lastY] = getMousePos(event);
}
function draw(event) {
if (!isDrawing) return;
const canvas = document.getElementById('canvas');
const ctx = canvas.getContext('2d');
const [newX, newY] = getMousePos(event);
ctx.beginPath();
ctx.moveTo(lastX, lastY);
ctx.lineTo(newX, newY);
ctx.strokeStyle = penColor;
ctx.lineWidth = penSize;
ctx.stroke();
ctx.closePath();
[lastX, lastY] = [newX, newY]; // 新しい位置を保存
}
function stopDrawing() {
isDrawing = false;
}
function getMousePos(event) {
const rect = document.getElementById('canvas').getBoundingClientRect();
return [event.clientX - rect.left, event.clientY - rect.top];
}
function setPenSize(value) {
penSize = value;
}
function setPenColor(value) {
penColor = value;
}
async function generateImage() {
const prompt = document.getElementById("prompt").value;
const negative_prompt = document.getElementById("negative_prompt").value;
const width = document.getElementById("width").value;
const height = document.getElementById("height").value;
const steps = document.getElementById("steps").value;
const cfgs = document.getElementById("cfgs").value;
const sampler = document.getElementById("sampler").value;
const strength = document.getElementById("strength").value;
const seed = document.getElementById("seed").value;
const button = document.getElementById("generate-button");
const errorMessage = document.getElementById("error-message");
button.disabled = true; // ボタンを無効化
errorMessage.textContent = ''; // エラーメッセージをクリア
const params = new URLSearchParams({
prompt,
negative_prompt,
width,
height,
steps,
cfgs,
sampler,
strength,
seed
});
const reqURL = `https://soiz-sdapi.hf.space/generate?${params.toString()}`;
document.getElementById("reqURL").value = reqURL; // URLを設定
try {
const response = await fetch(reqURL);
if (!response.ok) {
const errorText = await response.text(); // エラーメッセージを取得
throw new Error(`画像生成に失敗しました: ${errorText}`);
}
const imageBlob = await response.blob();
const reader = new FileReader();
reader.onloadend = function () {
const img = document.getElementById("generated-image");
img.src = reader.result; // dataURLを設定
img.style.display = 'block'; // 画像を表示
// 画像をキャンバスに描画
const canvas = document.getElementById('canvas');
const ctx = canvas.getContext('2d');
ctx.clearRect(0, 0, canvas.width, canvas.height); // キャンバスをクリア
const imgElement = new Image();
imgElement.src = reader.result;
imgElement.onload = function () {
canvas.width = imgElement.width;
canvas.height = imgElement.height;
ctx.drawImage(imgElement, 0, 0);
};
};
reader.readAsDataURL(imageBlob);
} catch (error) {
errorMessage.textContent = error.message; // エラーメッセージを表示
console.error(error); // エラーをコンソールに出力
} finally {
button.disabled = false; // ボタンを再有効化
}
}
function syncWidth(value) {
document.getElementById("width-slider").value = value;
}
function syncHeight(value) {
document.getElementById("height-slider").value = value;
}
function updateWidthInput() {
const widthSlider = document.getElementById("width-slider");
const widthInput = document.getElementById("width");
widthInput.value = widthSlider.value;
}
function updateHeightInput() {
const heightSlider = document.getElementById("height-slider");
const heightInput = document.getElementById("height");
heightInput.value = heightSlider.value;
}
</script>
</head>
<body>
<h1>FLUX.1-Dev Image Generator</h1>
<form onsubmit="event.preventDefault(); generateImage();">
<label for="prompt">Prompt:</label><br>
<textarea id="prompt" name="prompt" rows="4" cols="50" placeholder="Enter your prompt" required>real, sky, blue, clouds, light blue, light blue sky, sun, 32K, many islands floating in the sky, Ghibli, many islands, many islands in the sky, islands in the clouds, old islands, fog, high quality, cool</textarea><br><br>
<label for="negative_prompt">Negative Prompt:</label><br>
<textarea id="negative_prompt" name="negative_prompt" rows="4" cols="50" placeholder="Enter negative prompt (optional)"></textarea><br><br>
<label for="width">Width:</label>
<input type="number" id="width" name="width" value="1024" required>
<input type="range" id="width-slider" min="512" max="2048" value="1024" oninput="updateWidthInput()"><br><br>
<label for="height">Height:</label>
<input type="number" id="height" name="height" value="1024" required>
<input type="range" id="height-slider" min="512" max="2048" value="1024" oninput="updateHeightInput()"><br><br>
<label for="steps">Steps:</label>
<input type="number" id="steps" name="steps" value="35" required><br><br>
<label for="cfgs">CFG Scale:</label>
<input type="number" id="cfgs" name="cfgs" value="7" step="0.1" required><br><br>
<label for="sampler">Sampler:</label>
<input type="text" id="sampler" name="sampler" value="DPM++ 2M Karras" required><br><br>
<label for="strength">Strength:</label>
<input type="number" id="strength" name="strength" value="0.7" step="0.1" required><br><br>
<label for="seed">Seed (optional):</label>
<input type="number" id="seed" name="seed" value="-1"><br><br>
<button id="generate-button" type="submit">Generate Image</button><br><br>
<label for="reqURL">Request URL (for debugging):</label><br>
<input type="text" id="reqURL" name="reqURL" size="100"><br><br>
<span id="error-message" style="color: red;"></span>
</form>
<h2>Generated Image:</h2>
<img id="generated-image" src="" alt="Generated Image" style="display:none; width: 100%; height: auto;"><br><br>
<h2>Draw on Canvas:</h2>
<div id="container">
<canvas id="canvas" width="1024" height="1024" style="border:1px solid black;" onmousedown="startDrawing(event)" onmousemove="draw(event)" onmouseup="stopDrawing()" onmouseleave="stopDrawing()"></canvas><br><br>
<label for="pen-size">Pen Size:</label>
<input type="number" id="pen-size" name="pen-size" value="5" min="1" max="50" oninput="setPenSize(this.value)"><br><br>
<label for="pen-color">Pen Color:</label>
<input type="color" id="pen-color" name="pen-color" value="#000000" onchange="setPenColor(this.value)"><br><br>
</div>
</body>
</html>
"""
@app.route('/')
def index():
return render_template_string(index_html)
@app.route('/generate', methods=['GET'])
def generate_image():
prompt = request.args.get("prompt", "")
negative_prompt = request.args.get("negative_prompt", "")
steps = int(request.args.get("steps", 35))
cfg_scale = float(request.args.get("cfgs", 7))
sampler = request.args.get("sampler", "DPM++ 2M Karras")
strength = float(request.args.get("strength", 0.7))
seed = int(request.args.get("seed", -1))
width = int(request.args.get("width", 1024))
height = int(request.args.get("height", 1024))
image, error = query(prompt, negative_prompt, steps, cfg_scale, sampler, seed, strength, width, height)
if error:
return jsonify({"error": error}), 400
img_bytes = io.BytesIO()
image.save(img_bytes, format='PNG')
img_bytes.seek(0)
return send_file(img_bytes, mimetype='image/png')
if __name__ == "__main__":
app.run(host='0.0.0.0', port=7860)
|