• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

PHP mb_str_replace函数代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

本文整理汇总了PHP中mb_str_replace函数的典型用法代码示例。如果您正苦于以下问题:PHP mb_str_replace函数的具体用法?PHP mb_str_replace怎么用?PHP mb_str_replace使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。



在下文中一共展示了mb_str_replace函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的PHP代码示例。

示例1: render

 public function render()
 {
     $uri = $_SERVER['REQUEST_URI'];
     $temp = mb_str_replace("-", " ", substr($uri, strrpos($uri, "/") + 1));
     switch (mb_strtolower($temp)) {
         case "wildernessone":
             $ViewData['search'] = "WildernessOne";
             break;
         case "geotrak":
             $ViewData['search'] = "GeoTrak";
             break;
         case "oceanx":
             $ViewData['search'] = "OceanX";
             break;
     }
     $ViewData['title'] = "Shop | Peak Outdoor Adventure";
     $ViewData['copyright'] = date("Y");
     $ViewData['stylesheets'] = ["index", "shop"];
     $ViewData['javascript'] = ["jquery", "shop"];
     $products = json_decode(file_get_contents(__DIR__ . "\\..\\..\\Data\\products.json"));
     foreach ($products as $product) {
         if (mb_strtolower($product->collection) === mb_strtolower($ViewData['search'])) {
             $ViewData['products'][] = $product;
         }
     }
     foreach ($products as $product) {
         $ViewData['categories'][] = $product->category;
     }
     $ViewData['categories'] = array_unique($ViewData['categories']);
     foreach ($products as $product) {
         $ViewData['collections'][] = $product->collection;
     }
     $ViewData['collections'] = array_unique($ViewData['collections']);
     echo $this->razr->render('Templates\\Shop\\index.razr.php', $ViewData);
 }
开发者ID:Christopher-Rains-Milliken,项目名称:PhoenixWebPHP1,代码行数:35,代码来源:CollectionViewModel.php


示例2: smarty_modifier_replace

/**
 * Smarty replace modifier plugin
 * 
 * Type:     modifier<br>
 * Name:     replace<br>
 * Purpose:  simple search/replace
 * 
 * @link http://smarty.php.net/manual/en/language.modifier.replace.php replace (Smarty online manual)
 * @author Monte Ohrt <monte at ohrt dot com> 
 * @author Uwe Tews 
 * @param string $ 
 * @param string $ 
 * @param string $ 
 * @return string 
 */
function smarty_modifier_replace($string, $search, $replace)
{
    if (!function_exists('mb_str_replace')) {
        // simulate the missing PHP mb_str_replace function
        function mb_str_replace($needles, $replacements, $haystack)
        {
            $rep = (array) $replacements;
            foreach ((array) $needles as $key => $needle) {
                $replacement = $rep[$key];
                $needle_len = mb_strlen($needle);
                $replacement_len = mb_strlen($replacement);
                $pos = mb_strpos($haystack, $needle, 0);
                while ($pos !== false) {
                    $haystack = mb_substr($haystack, 0, $pos) . $replacement . mb_substr($haystack, $pos + $needle_len);
                    $pos = mb_strpos($haystack, $needle, $pos + $replacement_len);
                }
            }
            return $haystack;
        }
    }
    if (function_exists('mb_substr')) {
        return mb_str_replace($search, $replace, $string);
    } else {
        return str_replace($search, $replace, $string);
    }
}
开发者ID:cmooony,项目名称:d4d-studio,代码行数:41,代码来源:modifier.replace.php


示例3: mb_str_replace

 /**
  * マルチバイト対応 str_replace()
  *
  * @param  mixed  $search   検索文字列(またはその配列)
  * @param  mixed  $replace  置換文字列(またはその配列)
  * @param  mixed  $subject  対象文字列(またはその配列)
  * @param  string $encoding 文字列のエンコーディング(省略: 内部エンコーディング)
  * @return mixed  subject 内の search を replace で置き換えた文字列
  *
  * この関数の $search, $replace, $subject は配列に対応していますが、
  * $search, $replace が配列の場合の挙動が PHP 標準の str_replace() と異なります。
  */
 function mb_str_replace($search, $replace, $subject, $encoding = 'auto')
 {
     if (!is_array($search)) {
         $search = array($search);
     }
     if (!is_array($replace)) {
         // PHP manual:
         //      search が配列で replace が文字列の場合、
         //      この置換文字列が search の各値について使用されます。
         //
         // array_fill_keysは5.2以上なので使えない...
         $replace = array_combine(array_keys($search), array_fill(0, count($search), $replace));
     }
     if (strtolower($encoding) === 'auto') {
         $encoding = mb_internal_encoding();
     }
     // $subject が複数ならば各要素に繰り返し適用する
     if (is_array($subject) || $subject instanceof Traversable) {
         $result = array();
         foreach ($subject as $key => $val) {
             $result[$key] = mb_str_replace($search, $replace, $val, $encoding);
         }
         return $result;
     }
     $currentpos = 0;
     // 現在の検索開始位置
     while (true) {
         // $currentpos 以降で $search のいずれかが現れる位置を検索する
         $index = -1;
         // 見つけた文字列(最も前にあるもの)の $search の index
         $minpos = -1;
         // 見つけた文字列(最も前にあるもの)の位置
         foreach ($search as $key => $find) {
             if ($find == '') {
                 continue;
             }
             $findpos = mb_strpos($subject, $find, $currentpos, $encoding);
             if ($findpos !== false) {
                 if ($minpos < 0 || $findpos < $minpos) {
                     $minpos = $findpos;
                     $index = $key;
                 }
             }
         }
         // $search のいずれも見つからなければ終了
         if ($minpos < 0) {
             break;
         }
         // 置換実行
         $replaced = array_key_exists($index, $replace) ? $replace[$index] : '';
         $subject = mb_substr($subject, 0, $minpos, $encoding) . $replaced . mb_substr($subject, $minpos + mb_strlen($search[$index], $encoding), mb_strlen($subject, $encoding), $encoding);
         // 「現在位置」を $r の直後に設定
         $currentpos = $minpos + mb_strlen($replaced, $encoding);
     }
     return $subject;
 }
开发者ID:hiroki-uchida,项目名称:mb_sentinote,代码行数:68,代码来源:function.php


示例4: formatRow

 protected function formatRow(array $row)
 {
     $ret = array_map(function ($cell) {
         $cell = mb_convert_encoding((string) $cell, $this->outputCharset, $this->inputCharset);
         if (!preg_match('/[",\\x0d\\x0a]/', $cell)) {
             return $cell;
         }
         return '"' . mb_str_replace('"', '""', $cell, $this->outputCharset) . '"';
     }, $row);
     return implode(',', $ret);
 }
开发者ID:Bochozkar,项目名称:stat.ink,代码行数:11,代码来源:CsvResponseFormatter.php


示例5: replace

 public static function replace($haystack, $needle, $replace, $regex = false)
 {
     if ($regex) {
         $r = preg_replace($needle, $replace, $haystack);
     } else {
         if (String::$multibyte) {
             $r = mb_str_replace($needle, $replace, $haystack);
         } else {
             $r = str_replace($needle, $replace, $haystack);
         }
     }
     return new String($r);
 }
开发者ID:smagic39,项目名称:PHP-String-Class,代码行数:13,代码来源:StaticString.php


示例6: AddExtraHTMLToSidebar

 public function AddExtraHTMLToSidebar(&$company)
 {
     define('API', 'PS');
     require_once 'siteadmin/includes/config/affiliatewindow.php';
     $result = CPHelper::getStaggImageHTML($company['staggurl']);
     $result .= '<div id="sidebar-merchantDescription-main"><h3>' . (empty($company['sidebar_title']) ? 'Quick Glance' : $company['sidebar_title']) . '</h3>';
     $result .= mb_str_replace('{logo}', '<img src="' . $company['logourl'] . '" style="float:left; margin:5px;"/>', $company['sidebar']);
     if (!empty($company['displayurl'])) {
         list($cloakedURL, $realURL) = CPHelper::getCompanyURLs($company['id'], $company['displayurl'], $company['source']);
         $result .= '<ul><li class="official-website"><h4>Official Website</h4><a href="' . $cloakedURL . '" target="_blank">' . $realURL . '</a></li></ul>';
     }
     $result .= '</div>';
     $company['sidebar'] = $result;
 }
开发者ID:hendricson,项目名称:couponator,代码行数:14,代码来源:Companies.class.php


示例7: arabicToPersian

function arabicToPersian($inp)
{
    $out = str_replace("ي", "ی", $inp);
    $out = str_replace("ك", "ک", $out);
    $out = $out == 'امام خمینی' ? 'تهران' : $out;
    $out = mb_str_replace(array("ـ", " "), "", $out);
    if ($out == 'خرمآباد' || $out == 'خرماباد') {
        $out = 'خرم‌آباد';
    }
    switch ($out) {
        case 'Tehran':
            $out = 'تهران';
            break;
    }
    return $out;
}
开发者ID:hscomp2002,项目名称:superp,代码行数:16,代码来源:sync_moghim.php


示例8: validURLCheck

/**
 * Prueft die URL damit keine boesen URLS uebergeben werden koennen
 * @param $param
 */
function validURLCheck($param)
{
    if (strstr($param, '://')) {
        // Der APP_ROOT muss in der URL vorkommen, sonfern es kein relativer Pfad ist
        // HTTPS und HTTP
        if (mb_strpos($param, APP_ROOT) !== 0 && mb_strpos(mb_str_replace("http://", "https://", $param), APP_ROOT) !== 0 && mb_strpos(mb_str_replace("https://", "http://", $param), APP_ROOT) !== 0) {
            $text = "Dies ist eine automatische Mail.\nEs wurde eine mögliche XSS Attacke durchgefuehrt:\n";
            $text .= "\nFolgende URL wurde versucht aufzurufen: \n" . $_SERVER['SERVER_NAME'] . $_SERVER['REQUEST_URI'];
            $text .= "\n\nIP des Aufrufers: " . $_SERVER['REMOTE_ADDR'];
            $text .= "\n\nUserAgent: " . $_SERVER['HTTP_USER_AGENT'];
            $text .= "\n\nAuffälliger Value: {$param}";
            $mail = new mail(MAIL_ADMIN, 'no-reply@' . DOMAIN, 'Versuchte XSS Attacke', $text);
            $mail->send();
            die('Invalid URL detected');
        }
    }
}
开发者ID:andikoller,项目名称:FHC-3.0-FHBGLD,代码行数:21,代码来源:index.php


示例9: render

 public function render()
 {
     $uri = $_SERVER['REQUEST_URI'];
     $id = mb_str_replace("-", " ", substr($uri, strrpos($uri, "/") + 1));
     $ViewData['title'] = "Product Details | Peak Outdoor Adventure";
     $ViewData['copyright'] = date("Y");
     $ViewData['stylesheets'] = ["details"];
     $ViewData['javascript'] = ["jquery", "details"];
     $products = json_decode(file_get_contents(__DIR__ . "\\..\\..\\Data\\products.json"));
     foreach ($products as $product) {
         if ($product->id === intval($id, 10)) {
             $ViewData['product'] = $product;
             break;
         }
     }
     echo $this->razr->render('Templates\\Shop\\details.razr.php', $ViewData);
 }
开发者ID:Christopher-Rains-Milliken,项目名称:PhoenixWebPHP1,代码行数:17,代码来源:DetailsViewModel.php


示例10: testMbStrReplace

 /**
  * Text mb_replace() functionality
  *
  * @dataProvider getReplaceStringProvider
  * @var mixed  $search
  * @var mixed  $replace
  * @var string $subject
  * @var string $expectedResult
  * @var int    $expectedCount
  * @return void
  */
 public function testMbStrReplace($search, $replace, $subject, $expectedResult, $expectedCount)
 {
     //echo $url . "\n";
     try {
         self::startTimer('mb_str_replace', microtime(true));
         $result = mb_str_replace($search, $replace, $subject, $count);
         self::endTimer('mb_str_replace', microtime(true));
         $this->assertSame($expectedResult, $result, "Mismatch in result");
         $this->assertSame($expectedCount, $count, "Mismatch in count");
     } catch (Exception $e) {
         echo "Exception " . $e->getMessage() . " on subject: '{$subject}'\n";
         var_dump($search);
         var_dump($replace);
         // rethrow it
         throw $e;
     }
 }
开发者ID:mean-cj,项目名称:laravel-translation-manager,代码行数:28,代码来源:HelpersTest.php


示例11: mb_str_replace

 private function mb_str_replace($search, $replace, $subject, &$count = 0)
 {
     if (!is_array($subject)) {
         $searches = is_array($search) ? array_values($search) : array($search);
         $replacements = is_array($replace) ? array_values($replace) : array($replace);
         $replacements = array_pad($replacements, count($searches), '');
         foreach ($searches as $key => $search) {
             $parts = mb_split(preg_quote($search), $subject);
             $count += count($parts) - 1;
             $subject = implode($replacements[$key], $parts);
         }
     } else {
         foreach ($subject as $key => $value) {
             $subject[$key] = mb_str_replace($search, $replace, $value, $count);
         }
     }
     return $subject;
 }
开发者ID:ryzhkin,项目名称:pupBundle,代码行数:18,代码来源:ProcessController.php


示例12: smarty_block_replace

/**
 * Replaces a smarty block with an other one.
 * If the PHP multibyte (mb) extension is installed this
 * function is multibyte char aware
 *
 * The first parameter has one 'search' and one 'replace' key
 *
 * @param array  $params
 * @param string $content
 * @param mixed  $smarty
 * @param int    $repeat
 * @param string $template
 * @return string
 */
function smarty_block_replace($params, $content, $smarty, &$repeat, $template)
{
    if (is_null($content)) {
        return;
    }
    if (empty($params['search'])) {
        return $content;
    }
    if (empty($params['replace'])) {
        $params['replace'] = '';
    }
    if (function_exists('mb_substr')) {
        require_once SMARTY_PLUGINS_DIR . 'shared.mb_str_replace.php';
        return mb_str_replace($params['search'], $params['replace'], $content);
    } else {
        return str_replace($params['search'], $params['replace'], $content);
    }
}
开发者ID:GerDner,项目名称:luck-docker,代码行数:32,代码来源:block.replace.php


示例13: normalize_uri

 private function normalize_uri($uri)
 {
     // Remove query string if any
     if (FALSE !== strpos($uri, "?")) {
         echo $uri = substr($uri, 0, strpos($uri, "?"));
     }
     // Trim leading and trailing slashes
     $uri = trim($uri, "/");
     // Escape slashes for RegEx
     $uri = mb_str_replace("/", "\\/", $uri);
     // Escape actual dots
     $uri = mb_str_replace(".", "\\.", $uri);
     // Swap (:num) expression
     $uri = mb_str_replace("(:num)", "[0-9]+", $uri);
     // Swap (:alpha) expression
     $uri = mb_str_replace("(:alpha)", "[A-Za-z]+", $uri);
     $uri = "/^" . $uri . "\$/";
     return $uri;
 }
开发者ID:Christopher-Rains-Milliken,项目名称:PhoenixWebPHP1,代码行数:19,代码来源:Router.php


示例14: mb_str_replace

 function mb_str_replace($search, $replace, $subject, $encoding = 'auto')
 {
     if (!is_array($search)) {
         $search = array($search);
     }
     if (!is_array($replace)) {
         $replace = array($replace);
     }
     if (strtolower($encoding) === 'auto') {
         $encoding = mb_internal_encoding();
     }
     if (is_array($subject)) {
         $result = array();
         foreach ($subject as $key => $val) {
             $result[$key] = mb_str_replace($search, $replace, $val, $encoding);
         }
         return $result;
     }
     $currentpos = 0;
     while (true) {
         $index = $minpos = -1;
         foreach ($search as $key => $find) {
             if ($find == '') {
                 continue;
             }
             $findpos = mb_strpos($subject, $find, $currentpos, $encoding);
             if ($findpos !== false) {
                 if ($minpos < 0 || $findpos < $minpos) {
                     $minpos = $findpos;
                     $index = $key;
                 }
             }
         }
         if ($minpos < 0) {
             break;
         }
         $r = array_key_exists($index, $replace) ? $replace[$index] : '';
         $subject = sprintf('%s%s%s', mb_substr($subject, 0, $minpos, $encoding), $r, mb_substr($subject, $minpos + mb_strlen($search[$index], $encoding), mb_strlen($subject, $encoding), $encoding));
         $currentpos = $minpos + mb_strlen($r, $encoding);
     }
     return $subject;
 }
开发者ID:ctiborv,项目名称:spitzen-wein.ch,代码行数:42,代码来源:utils.inc.php


示例15: mb_str_replace

 function mb_str_replace($search, $replace, $subject, &$count = 0)
 {
     if (!is_array($subject)) {
         // Normalize $search and $replace so they are both arrays of the same length
         $searches = is_array($search) ? array_values($search) : array($search);
         $replacements = is_array($replace) ? array_values($replace) : array($replace);
         $replacements = array_pad($replacements, count($searches), '');
         foreach ($searches as $key => $search) {
             $parts = mb_split(preg_quote($search), $subject);
             $count += count($parts) - 1;
             $subject = implode($replacements[$key], $parts);
         }
     } else {
         // Call mb_str_replace for each subject in array, recursively
         foreach ($subject as $key => $value) {
             $subject[$key] = mb_str_replace($search, $replace, $value, $count);
         }
     }
     return $subject;
 }
开发者ID:lat9,项目名称:dbio,代码行数:20,代码来源:dbio_functions.php


示例16: smarty_function_lang

function smarty_function_lang($params, $smarty)
{
    if (!isset($params['code'])) {
        throw new rad_exception("lang: missing 'code' parameter", E_USER_WARNING);
    }
    $params['code'] = trim($params['code'], " \t\"'");
    if (isset($params['lang'])) {
        $val = call_user_func_array(array(rad_config::getParam('loader_class'), 'lang'), array($params['code'], $params['lang']));
    } else {
        $val = call_user_func_array(array(rad_config::getParam('loader_class'), 'lang'), array($params['code']));
    }
    if (isset($params['find']) && isset($params['replace'])) {
        if (!is_array($params['find'])) {
            $params['find'] = array($params['find']);
        }
        if (!is_array($params['replace'])) {
            $params['replace'] = array($params['replace']);
        }
        if (count($params['find']) != count($params['replace'])) {
            throw new rad_exception('lang: find/replace params should either be both scalar or be arrays of the same size');
        }
        $find = reset($params['find']);
        $replace = reset($params['replace']);
        while ($find) {
            $val = mb_str_replace($val, $find, $replace);
            $find = next($params['find']);
            $replace = next($params['replace']);
        }
    }
    if (!empty($params['htmlchars'])) {
        $val = mb_str_replace($val, '"', '&quot;');
    }
    if (!empty($params['ucf'])) {
        $val = mb_ucfirst($val);
    }
    if (isset($params['assign'])) {
        $smarty->assign($params['assign'], $val);
    } else {
        return $val;
    }
}
开发者ID:ValenokPC,项目名称:tabernacms,代码行数:41,代码来源:function.lang.php


示例17: mb_str_replace

 public function mb_str_replace($search, $replace, $subject)
 {
     if (is_array($subject)) {
         foreach ($subject as $key => $val) {
             $subject[$key] = mb_str_replace((string) $search, $replace, $subject[$key]);
         }
         return $subject;
     }
     $pattern = '/(?:' . implode('|', array_map(create_function('$match', 'return preg_quote($match[0], "/");'), (array) $search)) . ')/u';
     if (is_array($search)) {
         if (is_array($replace)) {
             $len = min(count($search), count($replace));
             $table = array_combine(array_slice($search, 0, $len), array_slice($replace, 0, $len));
             $f = create_function('$match', '$table = ' . var_export($table, true) . '; return array_key_exists($match[0], $table) ? $table[$match[0]] : $match[0];');
             $subject = preg_replace_callback($pattern, $f, $subject);
             return $subject;
         }
     }
     $subject = preg_replace($pattern, (string) $replace, $subject);
     return $subject;
 }
开发者ID:micoli,项目名称:qd_mail,代码行数:21,代码来源:ICALReader.php


示例18: mb_str_replace

 /**
  * mb_str_replace()
  * Alternative mb_str_replace in case mb_string is not available
  * (array aware from here http://www.php.net/manual/en/ref.mbstring.php)
  *
  * @param mixed $search : string or array of strings to be searched.
  * @param mixed $replace : string or array of the strings that will replace the searched string(s)
  * @param mixed $subject : string to be modified.
  * @return string with the replacements made
  */
 function mb_str_replace($search, $replace, $subject)
 {
     if (is_array($subject)) {
         $ret = array();
         foreach ($subject as $key => $val) {
             $ret[$key] = mb_str_replace($search, $replace, $val);
         }
         return $ret;
     }
     foreach ((array) $search as $key => $s) {
         if ($s == '') {
             continue;
         }
         $r = !is_array($replace) ? $replace : (array_key_exists($key, $replace) ? $replace[$key] : '');
         $pos = mb_strpos($subject, $s);
         while ($pos !== false) {
             $subject = mb_substr($subject, 0, $pos) . $r . mb_substr($subject, $pos + mb_strlen($s));
             $pos = mb_strpos($subject, $s, $pos + mb_strlen($r));
         }
     }
     return $subject;
 }
开发者ID:illuminate3,项目名称:web2project,代码行数:32,代码来源:backcompat_functions.php


示例19: smarty_modifier_replace

/**
* Smarty replace modifier plugin
* 
* Type:     modifier<br>
* Name:     replace<br>
* Purpose:  simple search/replace
* 
* @link http://smarty.php.net/manual/en/language.modifier.replace.php replace (Smarty online manual)
* @author Monte Ohrt <monte at ohrt dot com> 
* @author Uwe Tews 
* @param string $ 
* @param string $ 
* @param string $ 
* @return string 
*/
function smarty_modifier_replace($string, $search, $replace)
{
    if (!function_exists("mb_str_replace")) {
        // simulate the missing PHP mb_str_replace function
        function mb_str_replace($needle, $replacement, $haystack)
        {
            $needle_len = mb_strlen($needle);
            $replacement_len = mb_strlen($replacement);
            $pos = mb_strpos($haystack, $needle, 0);
            while ($pos !== false) {
                $haystack = mb_substr($haystack, 0, $pos) . $replacement . mb_substr($haystack, $pos + $needle_len);
                $pos = mb_strpos($haystack, $needle, $pos + $replacement_len);
            }
            return $haystack;
        }
    }
    if (function_exists('mb_substr')) {
        return mb_str_replace($search, $replace, $string);
    } else {
        return str_replace($search, $replace, $string);
    }
}
开发者ID:XolotSoft,项目名称:controlobra,代码行数:37,代码来源:modifier.replace.php


示例20: implode

    }
}
$back_url = implode('&', $back_url_params);
//pull message information
$message = new CForumMessage();
$message->load($message_id);
//pull message information from last response
if ($message_parent != -1) {
    $last_message = new CForumMessage();
    $last_message->load($message_parent);
    if (!$last_message->message_id) {
        // if it's first response, use original message
        $last_message = clone $message;
        $last_message->message_body = wordwrap($last_message->message_body, 50, "\n> ");
    } else {
        $last_message->message_body = mb_str_replace("\n", "\n> ", $last_message->message_body);
    }
}
$crumbs = array();
$crumbs['?m=forums'] = 'forums list';
$crumbs['?m=forums&a=viewer&forum_id=' . $forum_id] = 'topics for this forum';
if ($message_parent > -1) {
    $crumbs['?m=forums&a=viewer&forum_id=' . $forum_id . '&message_id=' . $message_parent] = 'this topic';
}
?>
<script language="javascript" type="text/javascript">
<?php 
// security improvement:
// some javascript functions may not appear on client side in case of user not having write permissions
// else users would be able to arbitrarily run 'bad' functions
if ($canEdit || $canAdd) {
开发者ID:eureka2,项目名称:web2project,代码行数:31,代码来源:post_message.php



注:本文中的mb_str_replace函数示例整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。


鲜花

握手

雷人

路过

鸡蛋
该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
PHP mb_str_split函数代码示例发布时间:2022-05-15
下一篇:
PHP mb_sprintf函数代码示例发布时间:2022-05-15
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap