7折
减价出售
¥799
在WordPress主题中,配色系统远非简单的颜色选择,它是构建品牌识别、影响用户情绪、提升用户体验的核心要素。一个优秀的配色系统能够让网站在众多竞争者中脱颖而出,同时确保内容的可读性和可访问性。本文将深入探讨WordPress主题配色的完整实现方案,从基础技术架构到高级功能扩展,为您提供一站式解决方案。
现代WordPress主题的配色系统应该建立在可扩展和可维护的架构之上。以下是基础实现的代码框架:
// 在主题的functions.php中定义基础配色方案
function mytheme_setup_theme_colors() {
// 默认配色方案
$default_colors = array(
'primary' => '#2b6cb0', // 主色调 - 用于按钮、链接等关键元素
'secondary' => '#718096', // 次要色调 - 用于边框、背景等辅助元素
'accent' => '#4299e1', // 强调色 - 用于需要突出显示的区域
'text' => '#2d3748', // 正文文本颜色 - 确保可读性
'background' => '#ffffff', // 背景色 - 主要内容区域背景
'header_bg' => '#1a202c', // 头部背景 - 网站头部特定背景
'footer_bg' => '#edf2f7' // 底部背景 - 页脚特定背景
);
// 注册主题自定义颜色支持
add_theme_support('custom-background');
add_theme_support('custom-header');
// 为古腾堡编辑器添加颜色调色板
add_theme_support('editor-color-palette', array(
array(
'name' => __('主色调', 'mytheme'),
'slug' => 'primary',
'color' => $default_colors['primary']
),
array(
'name' => __('次要色调', 'mytheme'),
'slug' => 'secondary',
'color' => $default_colors['secondary']
),
array(
'name' => __('强调色', 'mytheme'),
'slug' => 'accent',
'color' => $default_colors['accent']
),
array(
'name' => __('文本色', 'mytheme'),
'slug' => 'text',
'color' => $default_colors['text']
)
));
}
add_action('after_setup_theme', 'mytheme_setup_theme_colors');
为了实现灵活的配色方案,我们采用CSS变量结合PHP动态生成的方案:
function mytheme_dynamic_css() {
// 从主题修改器获取颜色设置或使用默认值
$primary_color = get_theme_mod('primary_color', '#2b6cb0');
$secondary_color = get_theme_mod('secondary_color', '#718096');
$text_color = get_theme_mod('text_color', '#2d3748');
$background_color = get_theme_mod('background_color', '#ffffff');
// 生成CSS变量定义
$css = "
:root {
--color-primary: {$primary_color};
--color-secondary: {$secondary_color};
--color-text: {$text_color};
--color-background: {$background_color};
--color-primary-rgb: " . implode(',', mytheme_hex_to_rgb($primary_color)) . ";
--color-secondary-rgb: " . implode(',', mytheme_hex_to_rgb($secondary_color)) . ";
}
/* 基础元素样式 */
body {
color: var(--color-text);
background-color: var(--color-background);
}
a {
color: var(--color-primary);
transition: color 0.3s ease;
}
a:hover {
color: var(--color-secondary);
}
/* 按钮样式 */
.button-primary {
background-color: var(--color-primary);
color: white;
border: none;
padding: 12px 24px;
border-radius: 6px;
cursor: pointer;
}
.button-primary:hover {
background-color: rgba(var(--color-primary-rgb), 0.8);
}
/* 辅助类 */
.bg-primary {
background-color: var(--color-primary);
}
.text-secondary {
color: var(--color-secondary);
}
.border-accent {
border-color: var(--color-accent);
}
";
// 将动态CSS添加到主题样式表中
wp_add_inline_style('mytheme-main-style', $css);
}
add_action('wp_enqueue_scripts', 'mytheme_dynamic_css');
// 辅助函数:十六进制颜色转RGB
function mytheme_hex_to_rgb($hex) {
$hex = str_replace('#', '', $hex);
if (strlen($hex) == 3) {
$r = hexdec(substr($hex,0,1).substr($hex,0,1));
$g = hexdec(substr($hex,1,1).substr($hex,1,1));
$b = hexdec(substr($hex,2,1).substr($hex,2,1));
} else {
$r = hexdec(substr($hex,0,2));
$g = hexdec(substr($hex,2,2));
$b = hexdec(substr($hex,4,2));
}
return array($r, $g, $b);
}
在WordPress自定义器中提供直观的颜色控制选项:
function mytheme_customize_colors($wp_customize) {
// 主颜色设置
$wp_customize->add_setting('primary_color', array(
'default' => '#2b6cb0',
'transport' => 'postMessage', // 实时预览
'sanitize_callback' => 'sanitize_hex_color'
));
$wp_customize->add_control(new WP_Customize_Color_Control(
$wp_customize,
'primary_color',
array(
'label' => __('主色调', 'mytheme'),
'description' => __('用于按钮、链接等主要交互元素', 'mytheme'),
'section' => 'colors',
'priority' => 10
)
));
// 文本颜色设置
$wp_customize->add_setting('text_color', array(
'default' => '#2d3748',
'transport' => 'postMessage',
'sanitize_callback' => 'sanitize_hex_color'
));
$wp_customize->add_control(new WP_Customize_Color_Control(
$wp_customize,
'text_color',
array(
'label' => __('文本颜色', 'mytheme'),
'description' => __('主要正文文本颜色', 'mytheme'),
'section' => 'colors',
'priority' => 20
)
));
// 背景颜色设置
$wp_customize->add_setting('background_color', array(
'default' => '#ffffff',
'transport' => 'postMessage',
'sanitize_callback' => 'sanitize_hex_color'
));
$wp_customize->add_control(new WP_Customize_Color_Control(
$wp_customize,
'background_color',
array(
'label' => __('背景颜色', 'mytheme'),
'description' => __('网站主要内容区域背景色', 'mytheme'),
'section' => 'colors',
'priority' => 30
)
));
// 添加配色方案选择部分
$wp_customize->add_section('color_schemes', array(
'title' => __('配色方案', 'mytheme'),
'priority' => 40,
'description' => __('选择预设配色方案或创建自定义方案', 'mytheme')
));
// 预设配色方案选择
$wp_customize->add_setting('color_scheme', array(
'default' => 'default',
'transport' => 'postMessage',
'sanitize_callback' => 'mytheme_sanitize_color_scheme'
));
$wp_customize->add_control('color_scheme', array(
'type' => 'select',
'section' => 'color_schemes',
'label' => __('选择配色方案', 'mytheme'),
'description' => __('选择适合您品牌的配色方案', 'mytheme'),
'choices' => array(
'default' => __('默认方案', 'mytheme'),
'dark' => __('暗色方案', 'mytheme'),
'light' => __('浅色方案', 'mytheme'),
'custom' => __('自定义方案', 'mytheme')
)
));
// 颜色对比度检查
$wp_customize->add_setting('check_contrast', array(
'default' => true,
'transport' => 'postMessage'
));
$wp_customize->add_control('check_contrast', array(
'label' => __('检查颜色对比度', 'mytheme'),
'description' => __('确保文本颜色与背景色有足够的对比度', 'mytheme'),
'section' => 'colors',
'type' => 'checkbox'
));
}
add_action('customize_register', 'mytheme_customize_colors');
function mytheme_sanitize_color_scheme($input) {
$valid = array('default', 'dark', 'light', 'custom');
return in_array($input, $valid) ? $input : 'default';
}
实现自定义器的实时预览功能:
function mytheme_customize_preview_js() {
wp_enqueue_script(
'mytheme-customizer-preview',
get_template_directory_uri() . '/js/customizer-preview.js',
array('jquery', 'customize-preview'),
'1.0.0',
true
);
// 传递当前颜色设置到JavaScript
wp_localize_script('mytheme-customizer-preview', 'mythemeColorSettings', array(
'primary' => get_theme_mod('primary_color', '#2b6cb0'),
'secondary' => get_theme_mod('secondary_color', '#718096'),
'text' => get_theme_mod('text_color', '#2d3748'),
'background' => get_theme_mod('background_color', '#ffffff')
));
}
add_action('customize_preview_init', 'mytheme_customize_preview_js');
对应的JavaScript实时预览代码:
(function($) {
wp.customize.bind('preview-ready', function() {
// 主色调实时更新
wp.customize('primary_color', function(value) {
value.bind(function(newval) {
// 更新CSS变量
document.documentElement.style.setProperty('--color-primary', newval);
// 更新RGB值
var rgb = hexToRgb(newval);
document.documentElement.style.setProperty('--color-primary-rgb',
rgb.r + ',' + rgb.g + ',' + rgb.b);
// 检查对比度(如果启用)
if (wp.customize('check_contrast').get()) {
checkColorContrast(newval, wp.customize('background_color').get());
}
});
});
// 文本颜色实时更新
wp.customize('text_color', function(value) {
value.bind(function(newval) {
document.documentElement.style.setProperty('--color-text', newval);
if (wp.customize('check_contrast').get()) {
checkColorContrast(newval, wp.customize('background_color').get());
}
});
});
// 背景颜色实时更新
wp.customize('background_color', function(value) {
value.bind(function(newval) {
document.documentElement.style.setProperty('--color-background', newval);
if (wp.customize('check_contrast').get()) {
checkColorContrast(wp.customize('text_color').get(), newval);
}
});
});
// 配色方案切换
wp.customize('color_scheme', function(value) {
value.bind(function(newval) {
var schemes = {
'default': {
primary: '#2b6cb0',
secondary: '#718096',
text: '#2d3748',
background: '#ffffff'
},
'dark': {
primary: '#63b3ed',
secondary: '#4a5568',
text: '#e2e8f0',
background: '#1a202c'
},
'light': {
primary: '#3182ce',
secondary: '#a0aec0',
text: '#4a5568',
background: '#f7fafc'
}
};
if (newval !== 'custom' && schemes[newval]) {
wp.customize('primary_color').set(schemes[newval].primary);
wp.customize('secondary_color').set(schemes[newval].secondary);
wp.customize('text_color').set(schemes[newval].text);
wp.customize('background_color').set(schemes[newval].background);
}
});
});
// 辅助函数:十六进制转RGB
function hexToRgb(hex) {
var result = /^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(hex);
return result ? {
r: parseInt(result[1], 16),
g: parseInt(result[2], 16),
b: parseInt(result[3], 16)
} : {r: 0, g: 0, b: 0};
}
// 颜色对比度检查
function checkColorContrast(textColor, bgColor) {
// 实现WCAG对比度检查逻辑
// 这里可以使用第三方库或自定义实现
console.log('检查颜色对比度:', textColor, bgColor);
}
});
})(jQuery);
确保古腾堡编辑器中的颜色选择与主题设置保持一致:
function mytheme_gutenberg_color_palette() {
// 从主题修改器获取当前颜色设置
$primary = get_theme_mod('primary_color', '#2b6cb0');
$secondary = get_theme_mod('secondary_color', '#718096');
$text = get_theme_mod('text_color', '#2d3748');
$background = get_theme_mod('background_color', '#ffffff');
// 定义编辑器颜色调色板
add_theme_support('editor-color-palette', array(
array(
'name' => __('主色调', 'mytheme'),
'slug' => 'primary',
'color' => $primary
),
array(
'name' => __('次要色调', 'mytheme'),
'slug' => 'secondary',
'color' => $secondary
),
array(
'name' => __('文本色', 'mytheme'),
'slug' => 'text',
'color' => $text
),
array(
'name' => __('背景色', 'mytheme'),
'slug' => 'background',
'color' => $background
),
array(
'name' => __('白色', 'mytheme'),
'slug' => 'white',
'color' => '#ffffff'
),
array(
'name' => __('黑色', 'mytheme'),
'slug' => 'black',
'color' => '#000000'
)
));
// 可选:禁用自定义颜色选择
// add_theme_support('disable-custom-colors');
// 添加编辑器样式
add_theme_support('editor-styles');
add_editor_style('editor-style.css');
}
add_action('after_setup_theme', 'mytheme_gutenberg_color_palette');
创建editor-style.css确保编辑器内样式与前端一致:
/* 编辑器样式 - 确保与前端样式一致 */
.block-editor-writing-flow {
color: var(--color-text);
background-color: var(--color-background);
font-family: -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, sans-serif;
}
.wp-block {
max-width: 800px;
margin-left: auto;
margin-right: auto;
}
/* 应用主题颜色到编辑器元素 */
.editor-styles-wrapper .wp-block-button__link {
background-color: var(--color-primary);
color: white;
border: none;
padding: 12px 24px;
border-radius: 6px;
}
.editor-styles-wrapper .wp-block-button__link:hover {
background-color: rgba(var(--color-primary-rgb), 0.8);
}
/* 标题样式 */
.editor-post-title__block .editor-post-title__input {
color: var(--color-text);
font-size: 2.5em;
font-weight: 700;
}
/* 引用块样式 */
.wp-block-quote {
border-left: 4px solid var(--color-primary);
padding-left: 1em;
color: var(--color-secondary);
}
/* 代码块样式 */
.wp-block-code {
background-color: rgba(var(--color-primary-rgb), 0.1);
border: 1px solid rgba(var(--color-primary-rgb), 0.2);
border-radius: 4px;
}
function mytheme_dark_mode_support() {
// 添加暗色模式body类
add_filter('body_class', function($classes) {
$is_dark_mode = get_theme_mod('dark_mode_enabled', false) ||
(isset($_COOKIE['dark_mode']) && $_COOKIE['dark_mode'] === 'true');
if ($is_dark_mode) {
$classes[] = 'dark-mode';
}
return $classes;
});
// 暗色模式自定义器设置
add_action('customize_register', function($wp_customize) {
$wp_customize->add_setting('dark_mode_enabled', array(
'default' => false,
'transport' => 'postMessage'
));
$wp_customize->add_control('dark_mode_enabled', array(
'label' => __('启用暗色模式', 'mytheme'),
'description' => __('为网站启用暗色主题', 'mytheme'),
'section' => 'colors',
'type' => 'checkbox'
));
$wp_customize->add_setting('dark_mode_toggle', array(
'default' => true,
'transport' => 'postMessage'
));
$wp_customize->add_control('dark_mode_toggle', array(
'label' => __('显示暗色模式切换按钮', 'mytheme'),
'description' => __('在页面右下角显示暗色模式切换按钮', 'mytheme'),
'section' => 'colors',
'type' => 'checkbox'
));
$wp_customize->add_setting('dark_mode_auto', array(
'default' => true,
'transport' => 'postMessage'
));
$wp_customize->add_control('dark_mode_auto', array(
'label' => __('根据系统偏好自动切换', 'mytheme'),
'description' => __('根据用户设备的系统设置自动切换暗色模式', 'mytheme'),
'section' => 'colors',
'type' => 'checkbox'
));
});
// 前端暗色模式切换按钮
add_action('wp_footer', function() {
if (get_theme_mod('dark_mode_toggle', true)) {
$is_dark = get_theme_mod('dark_mode_enabled') ||
(isset($_COOKIE['dark_mode']) && $_COOKIE['dark_mode'] === 'true');
echo '<button id="dark-mode-toggle" class="dark-mode-toggle" aria-label="切换暗色模式">';
echo $is_dark ? '☀️' : '🌙';
echo '</button>';
}
});
}
add_action('after_setup_theme', 'mytheme_dark_mode_support');
对应的CSS和JavaScript实现:
/* 暗色模式样式 */
body.dark-mode {
--color-primary: #63b3ed;
--color-secondary: #4a5568;
--color-text: #e2e8f0;
--color-background: #1a202c;
}
.dark-mode-toggle {
position: fixed;
bottom: 20px;
right: 20px;
z-index: 9999;
background: var(--color-primary);
color: white;
border: none;
width: 50px;
height: 50px;
border-radius: 50%;
cursor: pointer;
font-size: 24px;
display: flex;
align-items: center;
justify-content: center;
box-shadow: 0 2px 10px rgba(0, 0, 0, 0.3);
transition: all 0.3s ease;
}
.dark-mode-toggle:hover {
transform: scale(1.1);
}
/* 暗色模式下的特定元素调整 */
.dark-mode .wp-block-quote {
border-left-color: var(--color-secondary);
}
.dark-mode .wp-block-code {
background-color: rgba(255, 255, 255, 0.1);
border-color: rgba(255, 255, 255, 0.2);
}
// 暗色模式切换功能
document.addEventListener('DOMContentLoaded', function() {
const toggle = document.getElementById('dark-mode-toggle');
if (!toggle) return;
// 检查系统偏好
const systemPrefersDark = window.matchMedia('(prefers-color-scheme: dark)').matches;
const autoDarkMode = <?php echo get_theme_mod('dark_mode_auto', true) ? 'true' : 'false'; ?>;
// 初始化状态
let isDark = document.body.classList.contains('dark-mode');
// 系统偏好自动切换
if (autoDarkMode && systemPrefersDark && !isDark) {
toggleDarkMode(true);
}
// 点击切换
toggle.addEventListener('click', function() {
isDark = !document.body.classList.contains('dark-mode');
toggleDarkMode(isDark);
});
// 监听系统偏好变化
window.matchMedia('(prefers-color-scheme: dark)').addListener(function(e) {
if (autoDarkMode) {
toggleDarkMode(e.matches);
}
});
function toggleDarkMode(enable) {
if (enable) {
document.body.classList.add('dark-mode');
toggle.textContent = '☀️';
document.cookie = 'dark_mode=true; path=/; max-age=31536000'; // 1年
} else {
document.body.classList.remove('dark-mode');
toggle.textContent = '🌙';
document.cookie = 'dark_mode=false; path=/; max-age=31536000';
}
// 在自定义器中同步
if (typeof wp !== 'undefined' && wp.customize) {
wp.customize('dark_mode_enabled').set(enable);
}
}
});
function mytheme_color_scheme_import_export() {
// 导出功能
add_action('wp_ajax_export_color_scheme', function() {
if (!current_user_can('edit_theme_options')) {
wp_send_json_error('权限不足');
}
$scheme = array(
'primary_color' => get_theme_mod('primary_color'),
'secondary_color' => get_theme_mod('secondary_color'),
'text_color' => get_theme_mod('text_color'),
'background_color' => get_theme_mod('background_color'),
'scheme_name' => sanitize_text_field($_POST['scheme_name'] ?? '自定义方案'),
'export_date' => current_time('mysql'),
'theme_version' => wp_get_theme()->get('Version')
);
wp_send_json_success($scheme);
});
// 导入功能
add_action('wp_ajax_import_color_scheme', function() {
if (!current_user_can('edit_theme_options')) {
wp_send_json_error('权限不足');
}
if (!isset($_FILES['scheme_file'])) {
wp_send_json_error('请选择要导入的文件');
}
$file_content = file_get_contents($_FILES['scheme_file']['tmp_name']);
$scheme = json_decode($file_content, true);
if (!$scheme || !is_array($scheme)) {
wp_send_json_error('无效的配色方案文件');
}
// 验证并应用颜色设置
$valid_colors = ['primary_color', 'secondary_color', 'text_color', 'background_color'];
foreach ($valid_colors as $color_key) {
if (isset($scheme[$color_key]) && preg_match('/^#([A-Fa-f0-9]{6}|[A-Fa-f0-9]{3})$/', $scheme[$color_key])) {
set_theme_mod($color_key, $scheme[$color_key]);
}
}
wp_send_json_success('配色方案导入成功');
});
// 添加管理界面按钮
add_action('customize_controls_print_footer_scripts', function() {
if (!current_user_can('edit_theme_options')) return;
?>
<div id="color-scheme-tools" style="margin-top: 20px; padding: 10px; background: #f3f4f5; border-radius: 4px;">
<h3>配色方案工具</h3>
<button type="button" id="export-color-scheme" class="button button-primary">导出当前方案</button>
<button type="button" id="import-color-scheme" class="button">导入方案</button>
<input type="file" id="color-scheme-file" accept=".json" style="display: none;">
<div style="margin-top: 10px;">
<input type="text" id="scheme-name" placeholder="方案名称" style="margin-right: 5px;">
<button type="button" id="save-scheme-name" class="button">保存名称</button>
</div>
</div>
<?php
});
}
add_action('customize_register', 'mytheme_color_scheme_import_export');
对应的管理界面JavaScript:
jQuery(document).ready(function($) {
// 导出配色方案
$('#export-color-scheme').on('click', function() {
var schemeName = $('#scheme-name').val() || '自定义配色方案';
$.ajax({
url: ajaxurl,
type: 'POST',
data: {
action: 'export_color_scheme',
scheme_name: schemeName
},
success: function(response) {
if (response.success) {
// 创建下载链接
var dataStr = "data:text/json;charset=utf-8," +
encodeURIComponent(JSON.stringify(response.data, null, 2));
var downloadAnchor = document.createElement('a');
downloadAnchor.setAttribute('href', dataStr);
downloadAnchor.setAttribute('download', schemeName + '.json');
document.body.appendChild(downloadAnchor);
downloadAnchor.click();
document.body.removeChild(downloadAnchor);
}
}
});
});
// 导入配色方案
$('#import-color-scheme').on('click', function() {
$('#color-scheme-file').click();
});
$('#color-scheme-file').on('change', function(e) {
var file = e.target.files[0];
if (!file) return;
var formData = new FormData();
formData.append('action', 'import_color_scheme');
formData.append('scheme_file', file);
$.ajax({
url: ajaxurl,
type: 'POST',
data: formData,
processData: false,
contentType: false,
success: function(response) {
if (response.success) {
alert('配色方案导入成功!');
// 刷新自定义器预览
wp.customize.previewer.refresh();
} else {
alert('导入失败: ' + response.data);
}
}
});
});
});
function mytheme_color_scheme_cache() {
// 生成缓存键
$cache_key = 'theme_colors_' . md5(serialize([
get_theme_mod('primary_color'),
get_theme_mod('secondary_color'),
get_theme_mod('text_color'),
get_theme_mod('background_color')
]));
// 检查缓存
$cached_css = get_transient($cache_key);
if ($cached_css !== false) {
return $cached_css;
}
// 生成新的CSS
$css = mytheme_generate_dynamic_css();
// 缓存1小时
set_transient($cache_key, $css, HOUR_IN_SECONDS);
return $css;
}
// 清除颜色缓存
add_action('customize_save_after', function() {
global $wpdb;
$wpdb->query("DELETE FROM {$wpdb->options} WHERE option_name LIKE '_transient_theme_colors_%'");
$wpdb->query("DELETE FROM {$wpdb->options} WHERE option_name LIKE '_transient_timeout_theme_colors_%'");
});
function mytheme_color_accessibility() {
// 添加颜色对比度检查工具
add_action('admin_enqueue_scripts', function($hook) {
if ($hook === 'customize.php') {
wp_enqueue_script(
'color-accessibility',
get_template_directory_uri() . '/js/color-accessibility.js',
array('jquery', 'wp-color-picker'),
'1.0.0',
true
);
}
});
// 添加对比度检查API端点
add_action('wp_ajax_check_color_contrast', function() {
$color1 = sanitize_hex_color($_POST['color1']);
$color2 = sanitize_hex_color($_POST['color2']);
$contrast_ratio = mytheme_calculate_contrast_ratio($color1, $color2);
$wcag_rating = mytheme_get_wcag_rating($contrast_ratio);
wp_send_json_success([
'ratio' => round($contrast_ratio, 2),
'rating' => $wcag_rating,
'meets_aa' => $contrast_ratio >= 4.5,
'meets_aaa' => $contrast_ratio >= 7
]);
});
}
// 计算颜色对比度
function mytheme_calculate_contrast_ratio($color1, $color2) {
$l1 = mytheme_get_luminance($color1);
$l2 = mytheme_get_luminance($color2);
$lighter = max($l1, $l2);
$darker = min($l1, $l2);
return ($lighter + 0.05) / ($darker + 0.05);
}
// 获取WCAG评级
function mytheme_get_wcag_rating($ratio) {
if ($ratio >= 7) return 'AAA';
if ($ratio >= 4.5) return 'AA';
if ($ratio >= 3) return 'AA Large';
return 'Fail';
}
通过本文介绍的完整WordPress主题配色系统,您已经掌握了从基础实现到高级功能的全面技术方案。这套系统不仅提供了强大的颜色定制能力,更注重用户体验、性能优化和无障碍设计。
随着Web技术的不断发展,主题配色系统还可以进一步扩展:
记住,优秀的配色系统应该是隐形的——当用户完全沉浸在内容中而意识不到色彩的存在时,才是真正成功的配色方案。希望本文提供的技术方案能够帮助您打造出既美观又实用的主题配色系统,让每一个网站都能展现出独特的视觉魅力。
通过精心设计的配色系统,您的WordPress主题将不仅是一个技术产品,更是一件艺术作品,能够为用户创造愉悦的视觉体验,同时确保内容的可读性和可访问性。这正是优秀设计与技术实现的完美结合。
减价出售
减价出售
减价出售
减价出售
电话咨询
1855-626-3292
微信咨询