0


python3 工作上一些正则表达式

Python3 replace()方法

实例1

def main():
    text = 'python3, word!'
    text1 = text.replace('python3', 'Hello')
    print(text1)

if __name__ == '__main__':
    main()

以上实例输出结果如下:
Hello, wold!

实例2

#!/usr/bin/python3
str = "www.w3cschool.cc"
print ("菜鸟教程旧地址:", str)
print ("菜鸟教程新地址:", str.replace("w3cschool.cc", "runoob.com"))
str = "this is string example....wow!!!"
print (str.replace("is", "was", 3))

以上实例输出结果如下:

菜鸟教程旧地址: www.w3cschool.cc
菜鸟教程新地址: www.runoob.com
thwas was string example....wow!!!

实例3

obj = {
    "name": "Blush Colour Infusion ",
    "description": ""Long lasting, sheer powder blush provides 10 hours of buildable, natural-looking cheek color for all skin tones."",
    "upc": "736150159878",
    "page_id_variant": "12702098"
}
for k,v in obj.items():
    sku_var =v.replace("\r", "").replace("\n", "").replace("\t", "").replace('"', '')
    print(sku_var)

以上实例输出结果如下:

Blush Colour Infusion 
Long lasting, sheer powder blush provides 10 hours of buildable, natural-looking cheek color for all skin tones.
736150159878
12702098

re.sub()表示替换

实例1

import re
def main():
    content = 'abc124hello46goodbye67shit'
    list1 = re.findall(r'\d+', content)
    print(list1)
    mylist = list(map(int, list1))
    print(mylist)
    print(sum(mylist))
    print(re.sub(r'\d+[hg]', 'foo1', content))
    print()
    print(re.sub(r'\d+', '456654', content))

if __name__ == '__main__':
    main()

以上实例输出结果如下:

# ['124', '46', '67']
# [124, 46, 67]
# 237
# abcfoo1ellofoo1oodbye67shit
# abc456654hello456654goodbye456654shit

python3 json数据转换之demjson模块

实例1

obj = '{name: "Blush Colour Infusion ",description: ""Long lasting, sheer powder blush provides 10 hours of buildable, natural-looking cheek color for all skin tones."",upc: "736150159878",page_id_variant: "12702098"}'

上面数据发现是有问题的,虽然是json格式,但是,key值都缺少引号。此时用json模块无法解析。
需要一个新的模块:demjson模块

sku_var = obj.replace("\r", "").replace("\n", "").replace("\t", "").replace('"', '')
data1 = demjson.decode(obj)
print("data1",type(data1))
print("data1", data1)

data2 = demjson.encode(obj)
print("data2",type(data2))
print("data2",data2)

以上实例输出结果如下:

data1 = <class 'dict'>
data1 = {'name': 'Blush Colour Infusion ', 'description': '&quot;Long lasting, sheer powder blush provides 10 hours of buildable, natural-looking cheek color for all skin tones.&quot;', 'upc': '736150159878', 'page_id_variant': '12702098'}

data2 = <class 'str'>
data2 = "{name: \"Blush Colour Infusion \",description: \"&quot;Long lasting, sheer powder blush provides 10 hours of buildable, natural-looking cheek color for all skin tones.&quot;\",upc: \"736150159878\",page_id_variant: \"12702098\"}"

实例2

# -*- coding: utf-8 -*-
 
import demjson
s = '{a:"000001_Unit_1. Hi,Birdie.mp3",b:"000005_Unit_2. Good morning,Miss Wang..mp3",c:"000008_Unit_3. What\'s your name_.mp3"}'
 
data1 = demjson.decode(s)
print(data1)
print(type(data1))
 
data2 = demjson.encode(data1)
print(data2)
print(type(data2))

以上实例输出结果如下:

{'a': '000001_Unit_1. Hi,Birdie.mp3', 'b': '000005_Unit_2. Good morning,Miss Wang..mp3', 'c': "000008_Unit_3. What's your name_.mp3"}
<class 'dict'>
{"a":"000001_Unit_1. Hi,Birdie.mp3","b":"000005_Unit_2. Good morning,Miss Wang..mp3","c":"000008_Unit_3. What's your name_.mp3"}
<class 'str'>

re.match函数

re.match尝试从字符串的起始位置匹配一个模式,如果不是起始位置匹配成功的话,match()就返回none。
函数语法:re.match(pattern, string, flags=0) flags是标志位

懒惰匹配

表达式 .* 的意思很好理解,就是单个字符匹配任意次,即贪婪匹配。
表达式 .*? 是满足条件的情况只匹配一次,即懒惰匹配
2.re.search方法
re.search扫描整个字符串并返回第一个成功的匹配。
函数语法:re.search(pattern, string, flags=0)

re.match与re.search的区别
re.match只匹配字符串的开始,如果字符串开始不符合正则表达式,则匹配失败,函数返回None;而re.search匹配整个字符串,直到找到一个匹配。

检索和替换

re.sub(pattern, repl, string, count=0)
pattern : 正则中的模式字符串。
repl : 替换的字符串,也可为一个函数。
string : 要被查找替换的原始字符串。
count : 模式匹配后替换的最大次数,默认 0 表示替换所有的匹配。

compile 函数

compile 函数用于编译正则表达式,生成一个正则表达式( Pattern )对象,供 match() 和 search() 这两个函数使用。
函数语法:re.compile(pattern[, flags])

findall

*match和 search是匹配一次 ,findall匹配所有
在字符串中找到正则表达式所匹配的所有子串,并返回一个列表,如果没有找到匹配的,则返回空列表。
函数语法:findall(string[, pos[, endpos]])
string 待匹配的字符串。
pos 可选参数,指定字符串的起始位置,默认为0。
endpos 可选参数,指定字符串的结束位置,默认为字符串的长度。

实例1

切克app

#!/usr/bin/python3
# -*-coding:utf-8 -*-   #有中文一定要加上
```python
resp = __jp1({"respCode":0,"respData":{"id":"1176485632356237323","spuId":null,"content":"百搭小黄鞋 日常穿着频率top3\n长裤 短裤 裙子 都好搭 最爱","mediaUrls":["n_v2ec8c3d36c2774874b4e503bda5e2e84d.jpg","n_v2b276f5b1fc6b4dfcb57f757835b6e6a4.jpg"],"channelVOs":[{"id":"1163399738536493056","name":"CHECK GIRL","description":"切克女孩们!参与话题 #CHECK GIRL#,秀美照,即有机会上切克开屏!现在在切克社区,发布各话题的相关图文,必得红包,最高1500元!详情见APP首页【发帖子拿红包】活动。","mediaUrl":"https://pic6.zhuanstatic.com/zhuanzh/n_v28f2bfbad22fc4bcb8b7edae8e03b5b03.png","score":10,"createTime":"1566211087246","state":1,"shareable":true,"countInfo":null,"jumpUrl":null}],"score":11948,"title":"Converse 1970 s 姜黄色","createTime":"1569331007452","status":2,"author":{"userId":"35076540909323","nickName":"闲置的小姑娘","avatar":"https://pic2.zhuanstatic.com/zhuanzh/n_v29fb79704b7eb4351b5b39b6910fa3fb9.png"},"likeUsers":[{"userId":"40533402881300","nickName":"黄明月","labelInfo":null,"spuInfo":null},"errorMsg":"null","errMsg":""})

respData = re.findall('.*?\(({.*?})\)',resp,re.S)[0]
print(respData)

以上实例输出结果如下:

{"respCode":0,"respData":{"id":"1176485632356237323","spuId":null,"content":"百搭小黄鞋 日常穿着频率top3\n长裤 短裤 裙子 都好搭 最爱","mediaUrls":["n_v2ec8c3d36c2774874b4e503bda5e2e84d.jpg","n_v2b276f5b1fc6b4dfcb57f757835b6e6a4.jpg"],"channelVOs":[{"id":"1163399738536493056","name":"CHECK GIRL","description":"切克女孩们!参与话题 #CHECK GIRL#,秀美照,即有机会上切克开屏!现在在切克社区,发布各话题的相关图文,必得红包,最高1500元!详情见APP首页【发帖子拿红包】活动。","mediaUrl":"https://pic6.zhuanstatic.com/zhuanzh/n_v28f2bfbad22fc4bcb8b7edae8e03b5b03.png","score":10,"createTime":"1566211087246","state":1,"shareable":true,"countInfo":null,"jumpUrl":null}],"score":11948,"title":"Converse 1970 s 姜黄色","createTime":"1569331007452","status":2,"author":{"userId":"35076540909323","nickName":"闲置的小姑娘","avatar":"https://pic2.zhuanstatic.com/zhuanzh/n_v29fb79704b7eb4351b5b39b6910fa3fb9.png"},"likeUsers":[{"userId":"40533402881300","nickName":"黄明月","labelInfo":null,"spuInfo":null},"errorMsg":"null","errMsg":""}

re.split

*注:正则表达式[\w]+,\w+,[\w+] 三者有何区别:
[\w]+和\w+没有区别,都是匹配数字和字母下划线的多个字符;
[\w+]表示匹配数字、字母、下划线和加号本身字符;
函数语法:re.split(pattern, string[, maxsplit=0, flags=0])

pattern 匹配的正则表达式
string  要匹配的字符串。
maxsplit    分隔次数,maxsplit=1 分隔一次,默认为 0,不限制次数。
flags   标志位,用于控制正则表达式的匹配方式,如:是否区分大小写,多行匹配等等

第一种方法:文件夹中读取所有内容,正则之后写入到文件

import os
import sys
import re
import csv
import json

path = 'D:\\auto_test'  # 文件夹目录
files = os.listdir(path)  # 得到文件夹下的所有文件名称
s = []
dic = {}
for file in files:  # 遍历文件夹
    if not os.path.isdir(file):  # 判断是否是文件夹,不是文件夹才打开
        f = open(path + "/" + file)  # 打开文件
        iter_f = iter(f)  # 创建迭代器
        str = ""
        for line in iter_f:  # 遍历文件,一行行遍历,读取文本
            # str =  line
            resp = re.findall('\.py (.*?) (.*?) ',line, re.M)
            if resp:
                if not dic.get(resp[0][0]):
                    dic[resp[0][0]]=1
                else:
                    dic[resp[0][0]] += 2
                print(dic)
                #
                # s.append(dic)  # 每个文件的文本存到list中
                # print(s)  # 打印结果
with open('test.txt','w',encoding='utf8') as fw:
    fw.write(json.dumps(dic))

第二种方法:文件夹中读取所有内容,正则之后写入到文件

import os
import sys
import re
path = os.getcwd()
print(path)
auto_bat = path+r'\auto_test\\'

auto_bat_paths = os.listdir(auto_bat)
dic = {}
for auto_bat_path in auto_bat_paths:

    path_1=auto_bat+auto_bat_path
    x=auto_bat_path.split('_')[1].replace('.bat','')
    with open(path_1,'r',encoding='gbk') as fr:
        data=fr.read()
        a = re.findall('\.py (.*?) (.*?) ',data,re.M)
        if a:
            if not dic.get(a[0][0]):
                dic[a[0][0]]=1
            else:
                dic[a[0][0]]+=2
      
with open('1.txt','w',encoding='utf8') as fw:
    fw.write(str(dic))
1366666666.bat 文件
@echo off
start cmd /c  "python C:\Users\Administrator\Desktop\register_test/aritest_script/register_script.py 172.31.38.13:4729 1366666666 xxxxx 161967 尹 军 10291984 [email protected] 男"
1388888888.bat 文件
@echo off
start cmd /c  "python C:\Users\Administrator\Desktop\register_test/aritest_script/register_script.py 172.31.218.41:4655 1388888888 Zjy123456 716996 周左右 01251985 [email protected] 女"
#coding:utf-8
import re
import json

resp = '<!DOCTYPE html><html><head lang="en"><meta charSet="utf-8"/><meta name="viewport" content="width=device-width,user-scalable=no,initial-scale=1,maximum-scale=1,minimum-scale=1,viewport-fit=cover"/><meta name="description" content="得物App是全球领先的集正品潮流装备、潮流商品鉴别、潮流生活社区于一体的新一代潮流网购社区。“多道鉴别查验工序”的平台品控,为新世代消费者带来更安心的网购体验。得物App致力于打造年轻人的潮流生活社区,成为中国潮流文化风向标和年轻人的发声阵地。"/><meta name="keywords" content="运动潮流装备,装备资讯,装备,资讯,球鞋谍照,谍照,球鞋"/><meta name="baidu-site-verification" content="j2BNI9jN0l"/><meta http-equiv="X-UA-Compatible" content="IE=Edge,chrome=1"/><meta name="BUILD_VERSION" content="2021-01-19 14:01:20"/><link rel="icon" type="image/x-icon" href="/static/favicon.ico"/><script src="https://cdn.poizon.com/node-common/check_webp.min.js"></script><script src="https://cdn.poizon.com/node-common/59c5f24c0587a0bb67d765af3a34fdb4.js"></script><meta charSet="utf-8"/><meta name="viewport" content="width=device-width,initial-scale=1,minimum-scale=1,maximum-scale=1,user-scalable=no"/><meta name="next-head-count" content="2"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/css/971df51bc30fc68e2dc5eee6bc5889bfd6227bb8_CSS.a7f74751.chunk.css" as="style"/><link rel="stylesheet" href="https://h5static.dewu.com/ssr/out/_next/static/css/971df51bc30fc68e2dc5eee6bc5889bfd6227bb8_CSS.a7f74751.chunk.css" data-n-g=""/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/css/styles.2e0f106a.chunk.css" as="style"/><link rel="stylesheet" href="https://h5static.dewu.com/ssr/out/_next/static/css/styles.2e0f106a.chunk.css" data-n-g=""/><noscript data-n-css="true"></noscript><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/main-f231e4a0b9e130390f56.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/webpack-22eaaa575d3c455933b4.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/framework.d342f5f3955b7f7d6277.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/29107295.475faf8d4e56b6968c00.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/ee139361.bfa42fd961780ae11317.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/commons.5adbd78ac59c37da8955.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/873fb123fb0521660e5f93c213a0559863b98136.31709e6789014fb5c002.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/d7182615e316463b9fd7a1eb8168d29a4666c8e9.051f427f7eadc2585fbf.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/ce15afa7cd9246532391f42978eebef247c86c76.577ff14aa9b0987616b5.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/ffa1cb51b464e181995d0b170c8eb785885ee7cc.9849eeb4d05c7506f164.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/971df51bc30fc68e2dc5eee6bc5889bfd6227bb8.5f41311281e4e4e5ed6d.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/971df51bc30fc68e2dc5eee6bc5889bfd6227bb8_CSS.bc7564fa166f0d34b14f.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/f6078781a05fe1bcb0902d23dbbb2662c8d200b3.eda066651502db7c8d18.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/styles.03cd8eeb350ff9d55f28.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/pages/_app-ebeb97ffb564a9f07358.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/53b3c79d6e063796450d52f0bba5d5fa7689d7ef.67484eeb997d576bb91f.js" as="script"/><link rel="preload" href="https://h5static.dewu.com/ssr/out/_next/static/chunks/pages/nezha-plus/entry-9dbde8161cb52fc70639.js" as="script"/></head><body><script src="https://cdn.poizon.com/node-common/du-jsBridge-2020.11.24.min.js"></script><div id="__next"><div class="layout__box normal___3-G35"><div id="root" class="normal___2pQlN" style="background:#000000"><div class="navigationWrap___2yq35" style="background-color:transparent;padding-top:13.866666666666665vw"><div class="navigation___1DkMy"><span class="goBack___2bpw0" style="background-color:#ffffff"></span><span class="pageTitle___304a5" style="color:#ffffff">新品频道</span><span class="share___1N_by" style="background-color:#ffffff"></span></div></div><div class="wrapper___2v-IL"><div class="explosiveBigPicture___0" data-k="peql78gjzp7gor1f7ybgnwod-0"><div style="min-height:3.31rem;overflow:hidden"><div class="wrap___3hEqA"><picture><source srcSet="https://cdn.poizon.com/node-common/e1b180df-c11e-318c-ff16-2f528e8263ac.png?x-oss-process=image/format,webp/resize,w_750" type="image/webp"/><img src="https://cdn.poizon.com/node-common/e1b180df-c11e-318c-ff16-2f528e8263ac.png?x-oss-process=image/resize,w_750" class="cat_image wrapImage___Uy7ak"/></picture><div class="slider am-carousel carousel___31yWY" style="position:relative;display:block;width:100%;height:auto;box-sizing:border-box;-moz-box-sizing:border-box;visibility:hidden"><div class="slider-frame" style="position:relative;display:block;overflow:hidden;height:auto;margin:0px;padding:0;transform:translate3d(0, 0, 0);-webkit-transform:translate3d(0, 0, 0);-ms-transform:translate(0, 0);box-sizing:border-box;-moz-box-sizing:border-box"><ul class="slider-list" style="transform:translate3d(0px, 0px, 0);-webkit-transform:translate3d(0px, 0px, 0);-ms-transform:translate(0px, 0px);position:relative;display:block;margin:0px 0px;padding:0;height:0;width:0;cursor:inherit;box-sizing:border-box;-moz-box-sizing:border-box"><li class="slider-slide" style="position:absolute;left:0;top:0;display:inline-block;list-style-type:none;vertical-align:top;width:0;height:auto;box-sizing:border-box;-moz-box-sizing:border-box;margin-left:0;margin-right:0;margin-top:auto;margin-bottom:auto"><div data-index="0" data-track-click="venue_component_content_click"><a href="[object Object]" class="list___FT5wx"><picture><source srcSet="https://cdn.poizon.com/node-common/8af7744a-9cf6-8725-8151-84cfd8a71890.png?x-oss-process=image/format,webp/resize,w_600" type="image/webp"/><img src="https://cdn.poizon.com/node-common/8af7744a-9cf6-8725-8151-84cfd8a71890.png?x-oss-process=image/resize,w_600" class="cat_image img___3Ob1l"/></picture><span class="description___gIOdQ"><strong class="title___2VAy-">Nike 食神DUNK SB</strong><i class="subtitle___27X_p">新年就要食DUNK</i></span></a></div></li><li class="slider-slide" style="position:absolute;left:0;top:0;display:inline-block;list-style-type:none;vertical-align:top;width:0;height:auto;box-sizing:border-box;-moz-box-sizing:border-box;margin-left:0;margin-right:0;margin-top:auto;margin-bottom:auto"><div data-index="1" data-track-click="venue_component_content_click"><a href="[object Object]" class="list___FT5wx"><picture><source srcSet="https://cdn.poizon.com/node-common/215cbe78-bf2b-df8c-3b83-1d4f509cb89c.png?x-oss-process=image/format,webp/resize,w_600" type="image/webp"/><img src="https://cdn.poizon.com/node-common/215cbe78-bf2b-df8c-3b83-1d4f509cb89c.png?x-oss-process=image/resize,w_600" class="cat_image img___3Ob1l"/></picture><span class="description___gIOdQ"><strong class="title___2VAy-">TNF x GUCCI Logo连帽卫衣</strong><i class="subtitle___27X_p">年底最重磅联名</i></span></a></div></li><li class="slider-slide" style="position:absolute;left:0;top:0;display:inline-block;list-style-type:none;vertical-align:top;width:0;height:auto;box-sizing:border-box;-moz-box-sizing:border-box;margin-left:0;margin-right:0;margin-top:auto;margin-bottom:auto"><div data-index="2" data-track-click="venue_component_content_click"><a href="[object Object]" class="list___FT5wx"><picture><source srcSet="https://cdn.poizon.com/node-common/4e87790c-1c2a-72b0-300a-a093b2d1d9b9.png?x-oss-process=image/format,webp/resize,w_600" type="image/webp"/><img src="https://cdn.poizon.com/node-common/4e87790c-1c2a-72b0-300a-a093b2d1d9b9.png?x-oss-process=image/resize,w_600" class="cat_image img___3Ob1l"/></picture><span class="description___gIOdQ"><strong class="title___2VAy-">植村秀 2021限定新色</strong><i class="subtitle___27X_p">王一博同款开运锦鲤</i></span></a></div></li><li class="slider-slide" style="position:absolute;left:0;top:0;display:inline-block;list-style-type:none;vertical-align:top;width:0;height:auto;box-sizing:border-box;-moz-box-sizing:border-box;margin-left:0;margin-right:0;margin-top:auto;margin-bottom:auto"><div data-index="3" data-track-click="venue_component_content_click"><a href="[object Object]" class="list___FT5wx"><picture><source srcSet="https://cdn.poizon.com/node-common/c63f7345-c16d-1fc9-81be-e18209cfaffe.png?x-oss-process=image/format,webp/resize,w_600" type="image/webp"/><img src="https://cdn.poizon.com/node-common/c63f7345-c16d-1fc9-81be-e18209cfaffe.png?x-oss-process=image/resize,w_600" class="cat_image img___3Ob1l"/></picture><span class="description___gIOdQ"><strong class="title___2VAy-">GUCCI x 哆啦A梦联名水桶包</strong><i class="subtitle___27X_p">庆小叮当诞生50周年</i></span></a></div></li><li class="slider-slide" style="position:absolute;left:0;top:0;display:inline-block;list-style-type:none;vertical-align:top;width:0;height:auto;box-sizing:border-box;-moz-box-sizing:border-box;margin-left:0;margin-right:0;margin-top:auto;margin-bottom:auto"><div data-index="4" data-track-click="venue_component_content_click"><a href="[object Object]" class="list___FT5wx"><picture><source srcSet="https://cdn.poizon.com/node-common/b8dc02e4-1ab8-299d-6fbf-9df363b63220.png?x-oss-process=image/format,webp/resize,w_600" type="image/webp"/><img src="https://cdn.poizon.com/node-common/b8dc02e4-1ab8-299d-6fbf-9df363b63220.png?x-oss-process=image/resize,w_600" class="cat_image img___3Ob1l"/></picture><span class="description___gIOdQ"><strong class="title___2VAy-">三星 Galaxy S21 5G(SM-G9910)</strong><i class="subtitle___27X_p">双模5G 骁龙888 超高清专业摄像 120Hz</i></span></a></div></li></ul></div><div style="position:absolute;bottom:0;width:100%;text-align:center" class="slider-decorator-0"><div class="am-carousel-wrap"><div class="am-carousel-wrap-dot am-carousel-wrap-dot-active"><span style="height:1.0666666666666667vw;width:1.0666666666666667vw;background:rgb(255, 255, 255)"></span></div><div class="am-carousel-wrap-dot"><span style="height:0.8vw;width:0.8vw;background:rgb(229, 229, 229)"></span></div><div class="am-carousel-wrap-dot"><span style="height:0.8vw;width:0.8vw;background:rgb(229, 229, 229)"></span></div><div class="am-carousel-wrap-dot"><span style="height:0.8vw;width:0.8vw;background:rgb(229, 229, 229)"></span></div><div class="am-carousel-wrap-dot"><span style="height:0.8vw;width:0.8vw;background:rgb(229, 229, 229)"></span></div></div></div><style type="text/css">.slider-slide > img {width: 100%; display: block;}</style></div></div></div></div><div class="newArrival___1" data-k="mc9g7ntva9jmdti5qtw4p8an-1"><div style="min-height:1.18rem;overflow:hidden"><div><div class="noneEle___2d9lh" style="background:#076b83"></div><div class="contents___2GTUR"><div class="header___261Sn" data-track-click="venue_component_more_click"><div class="headerLeft___3gJH1"><div class="title___3mYDQ">每周上新</div><div class="subTitle___2uDBQ">/ <!-- -->热推新品</div></div><picture><source srcSet="https://cdn.poizon.com/node-common/70b39462337473d5ab018beea939ff43.png?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img src="https://cdn.poizon.com/node-common/70b39462337473d5ab018beea939ff43.png?x-oss-process=image/resize,w_350" class="cat_image moreImg___1gyZR"/></picture></div><svg aria-labelledby="xcp1moe-aria" role="img" style="width:100%;height:100%"><title id="xcp1moe-aria">Loading...</title><rect role="presentation" x="0" y="0" width="100%" height="100%" clip-path="url(#xcp1moe-diff)" style="fill:url(#xcp1moe-animated-diff)"></rect><defs role="presentation"><clipPath id="xcp1moe-diff"><rect x="0" y="0" width="100%" height="100%"></rect></clipPath><linearGradient id="xcp1moe-animated-diff"><stop offset="0%" stop-color="#fff" stop-opacity="1"><animate attributeName="offset" values="-2; -2; 1" keyTimes="0; 0.25; 1" dur="0s" repeatCount="indefinite"></animate></stop><stop offset="50%" stop-color="#fff" stop-opacity="1"><animate attributeName="offset" values="-1; -1; 2" keyTimes="0; 0.25; 1" dur="0s" repeatCount="indefinite"></animate></stop><stop offset="100%" stop-color="#fff" stop-opacity="1"><animate attributeName="offset" values="0; 0; 3" keyTimes="0; 0.25; 1" dur="0s" repeatCount="indefinite"></animate></stop></linearGradient></defs></svg></div></div></div></div><div class="newReleases___2" data-k="w674h5nx5a78s37knuc42ehy-2"><div style="min-height:1.84984375rem;overflow:hidden"><div style="padding-bottom:10px"><div class="contents___1GCSI"><div class="header___2pdpm"><div class="titleBox___3QrxT"><div class="title___313zX">新品榜单</div><div class="subTitle___2sy9q">/ <!-- -->热卖爆款</div></div></div><svg aria-labelledby="iknaa8o-aria" role="img" style="width:100%;height:1.18rem"><title id="iknaa8o-aria">Loading...</title><rect role="presentation" x="0" y="0" width="100%" height="100%" clip-path="url(#iknaa8o-diff)" style="fill:url(#iknaa8o-animated-diff)"></rect><defs role="presentation"><clipPath id="iknaa8o-diff"><rect x="0" y="0" width="100%" height="100%"></rect></clipPath><linearGradient id="iknaa8o-animated-diff"><stop offset="0%" stop-color="#fff" stop-opacity="1"><animate attributeName="offset" values="-2; -2; 1" keyTimes="0; 0.25; 1" dur="0s" repeatCount="indefinite"></animate></stop><stop offset="50%" stop-color="#fff" stop-opacity="1"><animate attributeName="offset" values="-1; -1; 2" keyTimes="0; 0.25; 1" dur="0s" repeatCount="indefinite"></animate></stop><stop offset="100%" stop-color="#fff" stop-opacity="1"><animate attributeName="offset" values="0; 0; 3" keyTimes="0; 0.25; 1" dur="0s" repeatCount="indefinite"></animate></stop></linearGradient></defs></svg></div></div></div></div><div class="floorNav___3" data-k="bsrljeyvjmtip1ej0ngx31sa-3"><div style="min-height:0.48rem;overflow:hidden"><div><div style="position:relative;overflow:hidden"><div class="flag___T9nBX"></div><div class="productTabBox___hjsAl"><span class="productTabItem___23Xwf __tabItem_0 _tabItem_ " style="font-family:PingFangSC-Semibold;color:#01c2c3" data-index="0">潮鞋</span><span class="productTabItem___23Xwf __tabItem_1 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="1">服装</span><span class="productTabItem___23Xwf __tabItem_2 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="2">美妆</span><span class="productTabItem___23Xwf __tabItem_3 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="3">配饰</span><span class="productTabItem___23Xwf __tabItem_4 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="4">箱包</span><span class="productTabItem___23Xwf __tabItem_5 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="5">手表</span><span class="productTabItem___23Xwf __tabItem_6 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="6">女装</span><span class="productTabItem___23Xwf __tabItem_7 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="7">数码</span><span class="productTabItem___23Xwf __tabItem_8 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="8">潮玩</span><span class="productTabItem___23Xwf __tabItem_9 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="9">运动</span><span class="productTabItem___23Xwf __tabItem_10 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="10">家居</span><span class="productTabItem___23Xwf __tabItem_11 _tabItem_ " style="font-family:PingFangSC-Regular;color:#aaaabb" data-index="11">家电</span></div></div></div></div></div><div class="floorTitle___4" data-k="lm9w9h5euqm8uqzqhkvn4ez4-4"><div style="min-height:0.6rem;overflow:hidden"><div style="position:relative"><p class="floorTitle_p___4" style="position:absolute;height:0;top:-34.13333333333333vw;width:100%"></p><picture><source srcSet="https://cdn.poizon.com/node-common/2681d7ee-ae3f-a134-8723-c50f202e7e46.png?x-oss-process=image/format,webp/resize,w_750" type="image/webp"/><img src="https://cdn.poizon.com/node-common/2681d7ee-ae3f-a134-8723-c50f202e7e46.png?x-oss-process=image/resize,w_750" class="cat_image img___3a3Zy" alt=""/></picture></div></div></div><div class="productFlowWithId___5" data-k="ugnii329k180inxlnka84avy-5"><div style="min-height:22.659375rem;overflow:hidden"><div><div class="box___1_UtE"><div class="ignore_left___DpueI" style="width:calc(50% - 0.5px)"><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="0"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/source-img/origin-img/20201225/08530ba898a24f5dbd18553eb8d5f372.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/source-img/origin-img/20201225/08530ba898a24f5dbd18553eb8d5f372.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">【王一博同款】Nike SB Dunk Low Pro QS &quot;Street Hawker&quot; 食神 鸳鸯</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>5169</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">5759人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="2"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/source-img/origin-img/20201225/13fd4cc2a3774f27ab64d3744a2db7ca.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/source-img/origin-img/20201225/13fd4cc2a3774f27ab64d3744a2db7ca.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Bodega x Nike Dunk High &quot;Legend&quot; 棕褐 缝合</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>2769</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">231人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="4"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/source-img/origin-img/20201225/7db80222a8c943659ee5abc86a885fed.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/source-img/origin-img/20201225/7db80222a8c943659ee5abc86a885fed.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Air Jordan 13 Retro &quot;Starfish&quot; 海星橙 扣碎</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>1309</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">835人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="6"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20210111/f09165ab835249e5bd134796aa210524.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20210111/f09165ab835249e5bd134796aa210524.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Stray Rats x New Balance 574 绿色</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>989</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">23人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="8"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20201229/926929e1b3164c95bd2a64d55161f99d.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20201229/926929e1b3164c95bd2a64d55161f99d.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Kung Fu Panda x Reebok Club C 85 红蓝色 板鞋 功夫熊猫联名</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>689</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">54人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="10"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20210104/8a6170ede1d14fddb4f54c78c24ae0a2.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20210104/8a6170ede1d14fddb4f54c78c24ae0a2.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">【杨幂同款】adidas originals Forum 84 Low OG &quot;Bright Blue&quot; 白蓝</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>859</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">1777人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="12"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20210106/fe490443ee42463fbfbc6ad4b7350423.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20210106/fe490443ee42463fbfbc6ad4b7350423.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Nike SB Dunk Low Pro &quot;Court Purple&quot; 黑紫</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>1919</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">4900人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="14"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20201228/d00b2f932fba4161b07ae0b73dd0cdeb.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20201228/d00b2f932fba4161b07ae0b73dd0cdeb.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Air Jordan 1 High OG Retro &quot;Volt Gold&quot; 黄橙脚趾</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>1219</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">2.62w人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="16"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20201228/1c1352c01dca4a10b468e77c484e43ea.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20201228/1c1352c01dca4a10b468e77c484e43ea.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">【品牌专供】1807 x LiNing李宁 BadFive 少不入川 惟吾PRO 热成像板鞋 1807联名限定 黑白</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>909</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">508人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="18"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20201231/4eee7f1df2b049dba79c9209fa36f87d.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20201231/4eee7f1df2b049dba79c9209fa36f87d.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">【品牌专供】LiNing李宁 驭帅14 䨻 翡翠蓝</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>1569</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">854人付款</p></div></div></span></div><div class="ignore_right___1lZu6" style="width:calc(50% - 0.5px)"><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="1"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20210109/6efc52023ad34c4a96dff87044a7ccee.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20210109/6efc52023ad34c4a96dff87044a7ccee.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">adidas originals Yeezy Boost 380 &quot;Yecoraite&quot; Reflective 蜜桃粉 满天星</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>1529</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">7594人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="3"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20210105/48e78a484f554de592ceeac21b4a1161.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20210105/48e78a484f554de592ceeac21b4a1161.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Nike Dunk High &quot;Vast Grey&quot; 灰白</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>1099</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">5841人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="5"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/source-img/origin-img/20201206/3db4ef0211234334940a84777ad07849.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/source-img/origin-img/20201206/3db4ef0211234334940a84777ad07849.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Nike Air Raid &quot;Raygun&quot; 黑橙黄 外星人</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>929</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">16人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="7"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20210111/72a290e52ad546fb80ac71a28484db80.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20210111/72a290e52ad546fb80ac71a28484db80.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Stray Rats x New Balance 574 棕红绿</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>979</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">12人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="9"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/source-img/origin-img/20201225/47b4f948f1d34c37a65c9e4111cca75a.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/source-img/origin-img/20201225/47b4f948f1d34c37a65c9e4111cca75a.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">【易烊千玺同款】adidas originals Superstar &#x27;&#x27;CNY&#x27;&#x27; 牛年新年款 白黑红 </p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>569</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">410人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="11"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20210112/b8f1ef1cf57f4394991dbc50c9ceaedc.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20210112/b8f1ef1cf57f4394991dbc50c9ceaedc.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">【王一博同款】Air Jordan 5 Retro Low &quot;Chinese New Year&quot; 白红 撕撕乐 中国年</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>1459</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">1.34w人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="13"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20210106/1a35f39d26f840a7bd20b99edb4a9ff6.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20210106/1a35f39d26f840a7bd20b99edb4a9ff6.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Air Jordan 35 CNY PF &quot;Chinese New Year&quot; 红黑黄 刮刮乐 中国年 国内版</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>1139</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">469人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="15"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/source-img/origin-img/20201206/bc89b52d1f54455cb7106460e07545c2.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/source-img/origin-img/20201206/bc89b52d1f54455cb7106460e07545c2.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">Nike Air Force 1 &quot;I Believe Daruma&quot; 白红 达摩娃娃 刮刮乐 复刻</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>1359</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">1305人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="17"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20210104/077800783aa64cdcbdbb4fbb28ef1937.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20210104/077800783aa64cdcbdbb4fbb28ef1937.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">【品牌专供】1807 x LiNing李宁 玖叁柒937Deluxe Hi 少不入川 高帮休闲篮球鞋 1807联名限定 白绿</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>999</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">160人付款</p></div></div></span><span data-track-exposure="venue_component_content_exposure" data-track-click="venue_component_content_click" data-index="19"><div class="productViewItem_t_npx___3wZ8p" style="padding-top:0.15rem"><div class="tagsBox___16zcG"><div class="lijianBox___YGQWX"></div><div class="spanItemBox___1eppz"></div></div><div style="text-align:center"><picture><source srcSet="https://cdn.poizon.com/pro-img/origin-img/20201225/f37e9d8e894541d1b1f842a5ebfcbd96.jpg?x-oss-process=image/format,webp/resize,w_350" type="image/webp"/><img style="width:1.4rem;margin-bottom:0.2rem;margin-top:0.1rem;display:inline-block;height:0.896rem" src="https://cdn.poizon.com/pro-img/origin-img/20201225/f37e9d8e894541d1b1f842a5ebfcbd96.jpg?x-oss-process=image/resize,w_350" class="cat_image productViewItem_img___OPUGr" alt="img"/></picture></div><p class="productViewItem_title___34DW9">【品牌专供】LiNing李宁 937全掌䨻篮球鞋 白绿</p><div class="productViewItem_info_box___3GlBO"><p class="productViewItem_price___LSnPT"><span class="price_wrap___5JAQr">¥</span><span>1069</span><span class="qi___1Hzf5">起</span></p><p class="productViewItem_sold___1RkIf">708人付款</p></div></div></span></div><div style="text-align:center;width:100%"></div></div></div></div></div><div class="floorTitle___6" data-k="1x94ic5j75ep9h8msa3unf97-6"><div style="min-height:0.6rem;overflow:hidden"><div style="position:relative"><p class="floorTitle_p___6" style="position:absolute;height:0;top:-34.13333333333333vw;width:100%"></p><picture><source srcSet="https://cdn.poizon.com/node-common/11fa979a-7031-5915-7374-7a8f12c69575.png?x-oss-process=image/format,webp/resize,w_750" type="image/webp"/><img src="https://cdn.poizon.com/node-common/11fa979a-7031-5915-7374-7a8f12c69575.png?x-oss-process=image/resize,w_750" class="cat_image img___3a3Zy" alt=""/></picture></div></div></div><div class="productFlowWithId___7" data-k="s00lcouyvhu5ibo73ul65yoi-7"><div></div></div><div class="floorTitle___8" data-k="a5bnfcg78u9ukbkh1pyhua4o-8"><div></div></div><div class="productFlowWithId___9" data-k="6vtu6kgfa8uiltgz19rimsmi-9"><div></div></div><div class="floorTitle___10" data-k="23eb034n72vciwzzolpe0d2k-10"><div></div></div><div class="productFlowWithId___11" data-k="is4ms91pw3sm6uo3hmvpawz0-11"><div></div></div><div class="floorTitle___12" data-k="zux2krndqer000vrspkz7km1-12"><div></div></div><div class="productFlowWithId___13" data-k="hgq72oap8tuez1c2t7so18cd-13"><div></div></div><div class="floorTitle___14" data-k="vnmbhdia0p4ma5kxghlv4if4-14"><div></div></div><div class="productFlowWithId___15" data-k="0rq9ct0a5ddl3axzz6f7lsn4-15"><div></div></div><div class="floorTitle___16" data-k="rxdndwsl71vjk4bs61as52i2-16"><div></div></div><div class="productFlowWithId___17" data-k="3z8mx06hbxbkekt132g39zap-17"><div></div></div><div class="floorTitle___18" data-k="frty79s9zyqiw2pied1p6ov8-18"><div></div></div><div class="productFlowWithId___19" data-k="zeqv4wxz06qzlf8kh4rf42gk-19"><div></div></div><div class="floorTitle___20" data-k="b2x2rv2az616vcfbond92spz-20"><div></div></div><div class="productFlowWithId___21" data-k="fbyi3ogv8t9cnbn14omnwl1t-21"><div></div></div><div class="floorTitle___22" data-k="7c8zuh4eh2807fak7by9rylb-22"><div></div></div><div class="productFlowWithId___23" data-k="3ipo7fi5u1cn6ah0tsk91irq-23"><div></div></div><div class="floorTitle___24" data-k="0kcndb1so2w73wca0dy2emu4-24"><div></div></div><div class="productFlowWithId___25" data-k="8gtm9rvacwnqtdjdzzblsvfi-25"><div></div></div><div class="floorTitle___26" data-k="xebfjjsqldgk5p8kmt2vhcoz-26"><div></div></div><div class="productFlowWithId___27" data-k="x8yarjpi1rl00pwigwdckodz-27"><div></div></div></div></div><span style="display:none" class="1611038962544">1611038962544</span></div></div><script id="__NEXT_DATA__" type="application/json">{"props":{"pageProps":{},"initialReduxState":{"editor":{"componentList":[{"name":"explosiveBigPicture","props":{"uid":"NzQwNzc0","explosiveBg":"https://cdn.poizon.com/node-common/e1b180df-c11e-318c-ff16-2f528e8263ac.png","explosiveList":[{"imgUrl":"https://cdn.poizon.com/node-common/8af7744a-9cf6-8725-8151-84cfd8a71890.png","title":"Nike 食神DUNK SB","subTitle":"新年就要食DUNK","redirect":{"redirectKey":5,"redirectValue":"https://fast.dewu.com/nezha-plus/detail/5ffd3fc0c8e5a318d942b93f"}},{"redirect":{"redirectKey":17,"redirectValue":"1271256"},"imgUrl":"https://cdn.poizon.com/node-common/215cbe78-bf2b-df8c-3b83-1d4f509cb89c.png","title":"TNF x GUCCI Logo连帽卫衣","subTitle":"年底最重磅联名"},{"imgUrl":"https://cdn.poizon.com/node-common/4e87790c-1c2a-72b0-300a-a093b2d1d9b9.png","redirect":{"redirectKey":17,"redirectValue":"1290549"},"title":"植村秀 2021限定新色","subTitle":"王一博同款开运锦鲤"},{"imgUrl":"https://cdn.poizon.com/node-common/c63f7345-c16d-1fc9-81be-e18209cfaffe.png","title":"GUCCI x 哆啦A梦联名水桶包","subTitle":"庆小叮当诞生50周年","redirect":{"redirectKey":17,"redirectValue":"1289464"}},{"imgUrl":"https://cdn.poizon.com/node-common/b8dc02e4-1ab8-299d-6fbf-9df363b63220.png","redirect":{"redirectKey":17,"redirectValue":"1307412"},"title":"三星 Galaxy S21 5G(SM-G9910)","subTitle":"双模5G 骁龙888 超高清专业摄像 120Hz"}],"$layOutInfo":{"top":0,"height":331}},"hash":"peql78gjzp7gor1f7ybgnwod"},{"name":"newArrival","props":{"uid":"MTI0MjI1","individuality":false,"subTitle":"热推新品","ids":["1278264","1121517","1030197","1285281"],"redirect":{"redirectValue":"https://m.poizon.com/router/product/BoutiqueRecommendDetailPage?recommendId=1005957","redirectKey":5},"$layOutInfo":{"top":331,"height":118}},"hash":"mc9g7ntva9jmdti5qtw4p8an"},{"name":"newReleases","props":{"uid":"OTM3MjQ2","title":"新品榜单","subTitle":"热卖爆款","categoryId":"1000095","rankIds":["5354","5355","5356"],"$layOutInfo":{"top":459,"height":184.984375},"rankType":"2"},"hash":"w674h5nx5a78s37knuc42ehy"},{"name":"floorNav","props":{"uid":"NzAxNzEy","tabTextColorActive":"#01c2c3","tabTextColor":"#aaaabb","type":"img","url":"https://cdn.poizon.com/node-common/c9c90418-08b0-fcb7-6777-98f90f85f560.png","tabName":"初秋新选","$layOutInfo":{"top":643.984375,"height":48}},"hash":"bsrljeyvjmtip1ej0ngx31sa"},{"name":"floorTitle","props":{"uid":"MTkwNDQ1","tabName":"潮鞋","type":"img","url":"https://cdn.poizon.com/node-common/2681d7ee-ae3f-a134-8723-c50f202e7e46.png","$layOutInfo":{"top":691.984375,"height":60}},"hash":"lm9w9h5euqm8uqzqhkvn4ez4"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"MDI3MDYz","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1188311,1294924,1258168,1271664,82928,1196422,1281930,1281941,1278330,1255116,1283955,1278264,1193876,1287555,79386,1186820,1276370,1282046,1281974,1175284","shapeList":{"1001564":{"blockRatio":{"bottom":"0.0921","top":"0.1442","left":"0","right":"0"},"ratio":"1.5625"},"1001932":{"blockRatio":{"bottom":"0.065","top":"0.0921","left":"0","right":"0.0033"},"ratio":"1.5625"},"1022528":{"blockRatio":{"bottom":"0.0754","top":"0.0775","left":"0","right":"0.0047"},"ratio":"1.5625"},"1095638":{"blockRatio":{"bottom":"0.0671","top":"0.0692","left":"0","right":"0"},"ratio":"1.5625"},"1126376":{"blockRatio":{"bottom":"0.0546","top":"0.065","left":"0.0047","right":"0"},"ratio":"1.5625"},"1151557":{"blockRatio":{"bottom":"0.0379","top":"0.0317","left":"0.0007","right":"0.0047"},"ratio":"1.5625"},"1164750":{"blockRatio":{"bottom":"0.0525","top":"0.0577","left":"0.0075","right":"0.0083"},"ratio":"1.5625"},"1172924":{"blockRatio":{"bottom":"0.1442","top":"0.1504","left":"0","right":"0.0113"},"ratio":"1.5625"},"1190524":{"blockRatio":{"bottom":"0.0088","top":"0.0129","left":"0.154","right":"0.1247"},"ratio":"1.5625"},"1191816":{"blockRatio":{"bottom":"0.1212","top":"0.1692","left":"0.0047","right":"0.0033"},"ratio":"1.5625"},"1194249":{"blockRatio":{"bottom":"0.0921","top":"0.0692","left":"0","right":"0.0047"},"ratio":"1.5625"},"1195545":{"blockRatio":{"bottom":"0.0546","top":"0.0546","left":"0.0073","right":"0.0047"},"ratio":"1.5625"},"1196272":{"blockRatio":{"bottom":"0.0879","top":"0.1067","left":"0.0113","right":"0.0113"},"ratio":"1.5625"},"1198802":{"blockRatio":{"bottom":"0.0504","top":"0.0567","left":"0.0073","right":"0.0087"},"ratio":"1.5625"},"1206808":{"blockRatio":{"bottom":"0.1317","top":"0.1046","left":"0.0047","right":"0.0073"},"ratio":"1.5625"},"1214523":{"blockRatio":{"bottom":"0.1254","top":"0.1442","left":"0.002","right":"0.0047"},"ratio":"1.5625"},"1217373":{"blockRatio":{"bottom":"0.0463","top":"0.0212","left":"0.0073","right":"0"},"ratio":"1.5625"},"1217935":{"blockRatio":{"bottom":"0.04","top":"0","left":"0.014","right":"0.0033"},"ratio":"1.5625"},"1219023":{"blockRatio":{"bottom":"0.0337","top":"0.0129","left":"0.0127","right":"0.0433"},"ratio":"1.5625"},"1219064":{"blockRatio":{"bottom":"0.1254","top":"0.1317","left":"0.0033","right":"0.0073"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":756.96875,"height":2265.9375}},"hash":"ugnii329k180inxlnka84avy"},{"name":"floorTitle","props":{"uid":"MDk1MjYw","type":"img","tabName":"服装","url":"https://cdn.poizon.com/node-common/11fa979a-7031-5915-7374-7a8f12c69575.png","$layOutInfo":{"top":3022.90625,"height":60}},"hash":"1x94ic5j75ep9h8msa3unf97"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"MjgzNjY1","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1279789,1271569,1283905,1282532,1274639,1273611,1287489,1275449,1273018,1274641,1274644,1269665,1286488,1283918,1278876,1271579,1291005,1291020,1274466,1277408","shapeList":{"1180379":{"blockRatio":{"bottom":"0.0171","top":"0.0098","left":"0.1147","right":"0.116"},"ratio":"1.5625"},"1182917":{"blockRatio":{"bottom":"0","top":"0","left":"0.1953","right":"0.218"},"ratio":"1.5625"},"1187498":{"blockRatio":{"bottom":"0.0025","top":"0.0087","left":"0.134","right":"0.1407"},"ratio":"1.5625"},"1187626":{"blockRatio":{"bottom":"0.1004","top":"0.0879","left":"0.0007","right":"0.0"},"ratio":"1.5625"},"1188679":{"blockRatio":{"bottom":"0.0108","top":"0.0046","left":"0.1607","right":"0.154"},"ratio":"1.5625"},"1189994":{"blockRatio":{"bottom":"0","top":"0","left":"0.222","right":"0.1893"},"ratio":"1.5625"},"1191086":{"blockRatio":{"bottom":"0.0046","top":"0.0108","left":"0.23","right":"0.2313"},"ratio":"1.5625"},"1192054":{"blockRatio":{"bottom":"0","top":"0","left":"0.2207","right":"0.214"},"ratio":"1.5625"},"1193128":{"blockRatio":{"bottom":"0","top":"0","left":"0.2367","right":"0.2513"},"ratio":"1.5625"},"1195729":{"blockRatio":{"bottom":"0.0004","top":"0.0025","left":"0.1567","right":"0.11"},"ratio":"1.5625"},"1197422":{"blockRatio":{"bottom":"0","top":"0","left":"0.1647","right":"0.158"},"ratio":"1.5625"},"1200060":{"blockRatio":{"bottom":"0","top":"0.0017","left":"0.2817","right":"0.2692"},"ratio":"1.5625"},"1200189":{"blockRatio":{"bottom":"0","top":"0.0067","left":"0.14","right":"0.126"},"ratio":"1.5625"},"1200441":{"blockRatio":{"bottom":"0","top":"0","left":"0.1833","right":"0.1833"},"ratio":"1.5625"},"1201156":{"blockRatio":{"bottom":"0.0025","top":"0","left":"0","right":"0"},"ratio":"1.5625"},"1206506":{"blockRatio":{"bottom":"0","top":"0.0025","left":"0.1327","right":"0.1233"},"ratio":"1.5625"},"1210343":{"blockRatio":{"bottom":"0","top":"0.0004","left":"0.1073","right":"0.1073"},"ratio":"1.5625"},"1218341":{"blockRatio":{"bottom":"0","top":"0","left":"0.2647","right":"0.2673"},"ratio":"1.5625"},"1218795":{"blockRatio":{"bottom":"0","top":"0","left":"0.134","right":"0.0967"},"ratio":"1.5625"},"1220985":{"blockRatio":{"bottom":"0","top":"0.0025","left":"0.1313","right":"0.1287"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":3087.890625,"height":2265.9375}},"hash":"s00lcouyvhu5ibo73ul65yoi"},{"name":"floorTitle","props":{"uid":"NTAwNjU4","tabName":"美妆","type":"img","url":"https://cdn.poizon.com/node-common/d6421b43-cf9a-ab49-7863-049a8bab3e0c.png","$layOutInfo":{"top":5353.828125,"height":60}},"hash":"a5bnfcg78u9ukbkh1pyhua4o"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"NTY4OTUy","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1290549,1291451,1289838,1274396,1289894,1296242,1288430,1286256,1286260,1287189,1280239,1289799,1287205,1285763,1274739,1284068,1285206,1285151,1285169,1285562","shapeList":{"1217530":{"blockRatio":{"bottom":"0.0357","top":"0.0634","left":"0.0286","right":"0.0142"},"ratio":"1.1468"},"1219559":{"blockRatio":{"bottom":"0.0762","top":"0.0547","left":"0.0263","right":"0.089"},"ratio":"1.1466"},"1219561":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"0.6611"},"1219671":{"blockRatio":{"bottom":"0.14","top":"0.095","left":"0.0866","right":"0.0806"},"ratio":"1.38"},"1219673":{"blockRatio":{"bottom":"0.0675","top":"0.1439","left":"0.0504","right":"0.0492"},"ratio":"0.8118"},"1219676":{"blockRatio":{"bottom":"0.0454","top":"0.1447","left":"0","right":"0.0221"},"ratio":"1.3672"},"1219677":{"blockRatio":{"bottom":"0.08","top":"0.2863","left":"0.1375","right":"0.1288"},"ratio":"1.0"},"1219680":{"blockRatio":{"bottom":"0","top":"0.0079","left":"0","right":"0"},"ratio":"0.4621"},"1219691":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"1.0"},"1219694":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"0"},"1219696":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"1.1897"},"1222302":{"blockRatio":{"bottom":"0","top":"0.0151","left":"0.3135","right":"0.3429"},"ratio":"0.6817"},"1222303":{"blockRatio":{"bottom":"0","top":"0.062","left":"0","right":"0.0316"},"ratio":"0.9627"},"1222434":{"blockRatio":{"bottom":"0.0049","top":"0.031","left":"0.0873","right":"0.198"},"ratio":"0.8433"},"1222483":{"blockRatio":{"bottom":"0.1102","top":"0.1614","left":"0.09","right":"0.0951"},"ratio":"1.509"},"1222485":{"blockRatio":{"bottom":"0","top":"0.1309","left":"0","right":"0.135"},"ratio":"1.29"},"1222500":{"blockRatio":{"bottom":"0.0337","top":"0.0462","left":"0.434","right":"0.2593"},"ratio":"1.5625"},"1223092":{"blockRatio":{"bottom":"0","top":"0","left":"0.1155","right":"0"},"ratio":"1.4318"},"1223112":{"blockRatio":{"bottom":"0.15","top":"0.248","left":"0.293","right":"0.294"},"ratio":"1.0"},"1224010":{"blockRatio":{"bottom":"0.1587","top":"0.1504","left":"0.07","right":"0.4913"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":5418.8125,"height":2265.9375}},"hash":"6vtu6kgfa8uiltgz19rimsmi"},{"name":"floorTitle","props":{"uid":"MzQzMTk4","tabName":"配饰","type":"img","url":"https://cdn.poizon.com/node-common/04e999a9-832a-4e01-af72-08bced3a4b3e.png","$layOutInfo":{"top":7684.75,"height":54}},"hash":"23eb034n72vciwzzolpe0d2k"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"MzIxNDEz","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1279829,1290085,1285877,1289546,1287297,1289550,1284088,1281858,1294044,1283989,1280884,1283367,1262955,1289804,1291356,1271451","shapeList":{"1184008":{"blockRatio":{"bottom":"0.0129","top":"0.0108","left":"0.326","right":"0.2993"},"ratio":"1.5625"},"1187873":{"blockRatio":{"bottom":"0.0275","top":"0.0275","left":"0.3713","right":"0.3727"},"ratio":"1.5625"},"1191319":{"blockRatio":{"bottom":"0","top":"0","left":"0.2873","right":"0.2873"},"ratio":"1.5625"},"1191766":{"blockRatio":{"bottom":"0.0108","top":"0.0567","left":"0.378","right":"0.366"},"ratio":"1.5625"},"1197231":{"blockRatio":{"bottom":"0.04","top":"0.0337","left":"0.3753","right":"0.3647"},"ratio":"1.5625"},"1204393":{"blockRatio":{"bottom":"0.0053","top":"0","left":"0.3233","right":"0.3233"},"ratio":"1.5625"},"1204711":{"blockRatio":{"bottom":"0","top":"0","left":"0.3407","right":"0.33"},"ratio":"1.5625"},"1207199":{"blockRatio":{"bottom":"0.0004","top":"0.0025","left":"0.342","right":"0.3127"},"ratio":"1.5625"},"1209102":{"blockRatio":{"bottom":"0.0775","top":"0","left":"0.0433","right":"0.0433"},"ratio":"1.5625"},"1209736":{"blockRatio":{"bottom":"0.1619","top":"0.1541","left":"0.03","right":"0.0313"},"ratio":"1.5625"},"1210505":{"blockRatio":{"bottom":"0","top":"0.0046","left":"0.1567","right":"0.158"},"ratio":"1.5625"},"1211275":{"blockRatio":{"bottom":"0.0379","top":"0.0087","left":"0.082","right":"0.102"},"ratio":"1.5625"},"1215822":{"blockRatio":{"bottom":"0.0289","top":"0.0497","left":"0.0087","right":"0.0096"},"ratio":"1.5625"},"1216787":{"blockRatio":{"bottom":"0.2297","top":"0","left":"0.197","right":"0.197"},"ratio":"1.5625"},"1217183":{"blockRatio":{"bottom":"0.0129","top":"0.0171","left":"0.1607","right":"0.1367"},"ratio":"1.5625"},"1218805":{"blockRatio":{"bottom":"0.0129","top":"0.015","left":"0.2793","right":"0.2793"},"ratio":"1.5625"},"1218961":{"blockRatio":{"bottom":"0.0004","top":"0.0046","left":"0.3633","right":"0.3633"},"ratio":"1.5625"},"1219838":{"blockRatio":{"bottom":"0","top":"0.0462","left":"0.3967","right":"0.4033"},"ratio":"1.5625"},"1221129":{"blockRatio":{"bottom":"0.0033","top":"0.0056","left":"0.1067","right":"0.0867"},"ratio":"0.6667"},"1224834":{"blockRatio":{"bottom":"0.0035","top":"0.0056","left":"0.3013","right":"0.2947"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":7743.734375,"height":1812.75}},"hash":"is4ms91pw3sm6uo3hmvpawz0"},{"name":"floorTitle","props":{"type":"img","uid":"NzkzMDY1","url":"https://cdn.poizon.com/node-common/1bac223e-e1ee-9e97-6da9-c230e4d01afe.png","tabName":"箱包","$layOutInfo":{"top":9556.484375,"height":60}},"hash":"zux2krndqer000vrspkz7km1"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"ODU5MTcz","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1289464,1287588,1285143,1287738,1289593,1298252,1297155,1287911,1287606,1287218,1285299,1289733,1285241,1285542,1300147,1279285,1285854,1294847,1292862,1298064","shapeList":{"1210033":{"blockRatio":{"bottom":"0.0004","top":"0.0004","left":"0.23","right":"0.23"},"ratio":"1.5625"},"1211300":{"blockRatio":{"bottom":"0.0215","top":"0","left":"0","right":"0.1725"},"ratio":"0.9236"},"1211459":{"blockRatio":{"bottom":"0.0798","top":"0.0829","left":"0.1201","right":"0.0733"},"ratio":"1.5232"},"1212646":{"blockRatio":{"bottom":"0.1763","top":"0.31","left":"0.0975","right":"0.105"},"ratio":"1.0"},"1213835":{"blockRatio":{"bottom":"0.0025","top":"0.0483","left":"0.2167","right":"0.222"},"ratio":"1.5625"},"1213926":{"blockRatio":{"bottom":"0.0763","top":"0.0875","left":"0.1532","right":"0.158"},"ratio":"1.5625"},"1215130":{"blockRatio":{"bottom":"0","top":"0.0004","left":"0.3287","right":"0.3287"},"ratio":"1.5625"},"1215958":{"blockRatio":{"bottom":"0.0067","top":"0.0025","left":"0.2273","right":"0.2273"},"ratio":"1.5625"},"1218675":{"blockRatio":{"bottom":"0.0838","top":"0.0695","left":"0.0108","right":"0.079"},"ratio":"1.5"},"1219102":{"blockRatio":{"bottom":"0","top":"0.0317","left":"0.0447","right":"0.0433"},"ratio":"1.5625"},"1219646":{"blockRatio":{"bottom":"0","top":"0","left":"0.04","right":"0.04"},"ratio":"1.5625"},"1219955":{"blockRatio":{"bottom":"0.0414","top":"0.0254","left":"0.1864","right":"0.2531"},"ratio":"1.5625"},"1220033":{"blockRatio":{"bottom":"0.1881","top":"0.3366","left":"0.2026","right":"0.1494"},"ratio":"1.0"},"1220088":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"0.9294"},"1220119":{"blockRatio":{"bottom":"0.2689","top":"0.2742","left":"0","right":"0"},"ratio":"1.0"},"1220159":{"blockRatio":{"bottom":"0.0775","top":"0.04","left":"0.2","right":"0.21"},"ratio":"1.0"},"1221920":{"blockRatio":{"bottom":"0.0089","top":"0.0689","left":"0.0004","right":"0"},"ratio":"1.0584"},"1222007":{"blockRatio":{"bottom":"0.0624","top":"0.0504","left":"0.1248","right":"0.163"},"ratio":"1.0"},"1222364":{"blockRatio":{"bottom":"0.0294","top":"0.0748","left":"0.0033","right":"0.0365"},"ratio":"0.9121"},"1222744":{"blockRatio":{"bottom":"0.1417","top":"0.4322","left":"0","right":"0.0237"},"ratio":"1.2982"}},"productImgSize":"1","$layOutInfo":{"top":9621.46875,"height":2265.9375}},"hash":"hgq72oap8tuez1c2t7so18cd"},{"name":"floorTitle","props":{"uid":"MzY4MjQ4","type":"img","tabName":"手表","url":"https://cdn.poizon.com/node-common/d8c06340-3405-88d3-0041-ade483bf3f55.png","$layOutInfo":{"top":11887.40625,"height":54}},"hash":"vnmbhdia0p4ma5kxghlv4if4"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"NDM2MzY1","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1267216,1271337,1260898,1266508,1265000,1271547,1258004,1271171,1237197,1245161,1248653,1242289,1250528,1242074,1278782,1284228,1286934,1269505,1265827,1271697","shapeList":{"1184008":{"blockRatio":{"bottom":"0.0129","top":"0.0108","left":"0.326","right":"0.2993"},"ratio":"1.5625"},"1187873":{"blockRatio":{"bottom":"0.0275","top":"0.0275","left":"0.3713","right":"0.3727"},"ratio":"1.5625"},"1191319":{"blockRatio":{"bottom":"0","top":"0","left":"0.2873","right":"0.2873"},"ratio":"1.5625"},"1191766":{"blockRatio":{"bottom":"0.0108","top":"0.0567","left":"0.378","right":"0.366"},"ratio":"1.5625"},"1197231":{"blockRatio":{"bottom":"0.04","top":"0.0337","left":"0.3753","right":"0.3647"},"ratio":"1.5625"},"1204393":{"blockRatio":{"bottom":"0.0053","top":"0","left":"0.3233","right":"0.3233"},"ratio":"1.5625"},"1204711":{"blockRatio":{"bottom":"0","top":"0","left":"0.3407","right":"0.33"},"ratio":"1.5625"},"1207199":{"blockRatio":{"bottom":"0.0004","top":"0.0025","left":"0.342","right":"0.3127"},"ratio":"1.5625"},"1209102":{"blockRatio":{"bottom":"0.0775","top":"0","left":"0.0433","right":"0.0433"},"ratio":"1.5625"},"1209736":{"blockRatio":{"bottom":"0.1619","top":"0.1541","left":"0.03","right":"0.0313"},"ratio":"1.5625"},"1210505":{"blockRatio":{"bottom":"0","top":"0.0046","left":"0.1567","right":"0.158"},"ratio":"1.5625"},"1211275":{"blockRatio":{"bottom":"0.0379","top":"0.0087","left":"0.082","right":"0.102"},"ratio":"1.5625"},"1215822":{"blockRatio":{"bottom":"0.0289","top":"0.0497","left":"0.0087","right":"0.0096"},"ratio":"1.5625"},"1216787":{"blockRatio":{"bottom":"0.2297","top":"0","left":"0.197","right":"0.197"},"ratio":"1.5625"},"1217183":{"blockRatio":{"bottom":"0.0129","top":"0.0171","left":"0.1607","right":"0.1367"},"ratio":"1.5625"},"1218805":{"blockRatio":{"bottom":"0.0129","top":"0.015","left":"0.2793","right":"0.2793"},"ratio":"1.5625"},"1218961":{"blockRatio":{"bottom":"0.0004","top":"0.0046","left":"0.3633","right":"0.3633"},"ratio":"1.5625"},"1219838":{"blockRatio":{"bottom":"0","top":"0.0462","left":"0.3967","right":"0.4033"},"ratio":"1.5625"},"1221129":{"blockRatio":{"bottom":"0.0033","top":"0.0056","left":"0.1067","right":"0.0867"},"ratio":"0.6667"},"1224834":{"blockRatio":{"bottom":"0.0035","top":"0.0056","left":"0.3013","right":"0.2947"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":11946.390625,"height":2265.9375}},"hash":"0rq9ct0a5ddl3axzz6f7lsn4"},{"name":"floorTitle","props":{"uid":"NDI3MTcw","tabName":"女装","type":"img","url":"https://cdn.poizon.com/node-common/eb68e518-1ad0-9f42-9a88-6ad28ca371b1.png","$layOutInfo":{"top":14212.328125,"height":54}},"hash":"rxdndwsl71vjk4bs61as52i2"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"NDU2ODAz","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1273558,1257654,1262518,1260955,1274868,1255350,1256425,1265772,1262561,1253276,1256282,1275769,1262689,1271431,1281104,1254651,1262002,1255943,1262849,1263128","shapeList":{"1205445":{"blockRatio":{"bottom":"0.0025","top":"0.0053","left":"0.2744","right":"0.2727"},"ratio":"1.5625"},"1208066":{"blockRatio":{"bottom":"0.0697","top":"0.0634","left":"0.22","right":"0.22"},"ratio":"1.5625"},"1209936":{"blockRatio":{"bottom":"0.0358","top":"0.0789","left":"0.2327","right":"0.2318"},"ratio":"1.5625"},"1210651":{"blockRatio":{"bottom":"0.0212","top":"0.0379","left":"0.202","right":"0.2407"},"ratio":"1.5625"},"1217747":{"blockRatio":{"bottom":"0.0244","top":"0.0181","left":"0.319","right":"0.351"},"ratio":"1.5625"},"1220634":{"blockRatio":{"bottom":"0.08","top":"0.1113","left":"0.2276","right":"0.2284"},"ratio":"1.5625"},"1220839":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"1.5625"},"1220861":{"blockRatio":{"bottom":"0.0296","top":"0.0733","left":"0.2967","right":"0.2967"},"ratio":"1.5625"},"1224012":{"blockRatio":{"bottom":"0.0733","top":"0.1254","left":"0.2047","right":"0.2007"},"ratio":"1.5625"},"1224137":{"blockRatio":{"bottom":"0.0088","top":"0.0567","left":"0.2833","right":"0.2873"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":14271.3125,"height":2265.9375}},"hash":"3z8mx06hbxbkekt132g39zap"},{"name":"floorTitle","props":{"uid":"NTYyNTU0","tabName":"数码","type":"img","url":"https://cdn.poizon.com/node-common/2341448d-fbf9-e9a1-64e0-9f246503a3d5.png","$layOutInfo":{"top":16537.25,"height":54}},"hash":"frty79s9zyqiw2pied1p6ov8"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"NTY4MTI4","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1283752,1284041,1284031,1284032,1283753,1286510,1284889,1286475,1285888,1285495,1287125,1283780,1284898,1284035,1285566,1287509,1284036,1290234,1290744,1288790","shapeList":{"1205445":{"blockRatio":{"bottom":"0.0025","top":"0.0053","left":"0.2744","right":"0.2727"},"ratio":"1.5625"},"1208066":{"blockRatio":{"bottom":"0.0697","top":"0.0634","left":"0.22","right":"0.22"},"ratio":"1.5625"},"1209936":{"blockRatio":{"bottom":"0.0358","top":"0.0789","left":"0.2327","right":"0.2318"},"ratio":"1.5625"},"1210651":{"blockRatio":{"bottom":"0.0212","top":"0.0379","left":"0.202","right":"0.2407"},"ratio":"1.5625"},"1217747":{"blockRatio":{"bottom":"0.0244","top":"0.0181","left":"0.319","right":"0.351"},"ratio":"1.5625"},"1220634":{"blockRatio":{"bottom":"0.08","top":"0.1113","left":"0.2276","right":"0.2284"},"ratio":"1.5625"},"1220839":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"1.5625"},"1220861":{"blockRatio":{"bottom":"0.0296","top":"0.0733","left":"0.2967","right":"0.2967"},"ratio":"1.5625"},"1224012":{"blockRatio":{"bottom":"0.0733","top":"0.1254","left":"0.2047","right":"0.2007"},"ratio":"1.5625"},"1224137":{"blockRatio":{"bottom":"0.0088","top":"0.0567","left":"0.2833","right":"0.2873"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":16596.234375,"height":2265.9375}},"hash":"zeqv4wxz06qzlf8kh4rf42gk"},{"name":"floorTitle","props":{"uid":"NTEwNjA5","tabName":"潮玩","type":"img","url":"https://cdn.poizon.com/node-common/378e9682-a6a0-8099-c848-ed964b73565f.png","$layOutInfo":{"top":18862.171875,"height":54}},"hash":"b2x2rv2az616vcfbond92spz"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"NTI1NDgx","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1286942,1296068,1285221,1291097,1295437,1290109,1284097,1292713,1286813,1284096,1290116,1287272,1286950,1286921,1285289,1295503,1295500,1295499,1295496,1295469","shapeList":{"1205445":{"blockRatio":{"bottom":"0.0025","top":"0.0053","left":"0.2744","right":"0.2727"},"ratio":"1.5625"},"1208066":{"blockRatio":{"bottom":"0.0697","top":"0.0634","left":"0.22","right":"0.22"},"ratio":"1.5625"},"1209936":{"blockRatio":{"bottom":"0.0358","top":"0.0789","left":"0.2327","right":"0.2318"},"ratio":"1.5625"},"1210651":{"blockRatio":{"bottom":"0.0212","top":"0.0379","left":"0.202","right":"0.2407"},"ratio":"1.5625"},"1217747":{"blockRatio":{"bottom":"0.0244","top":"0.0181","left":"0.319","right":"0.351"},"ratio":"1.5625"},"1220634":{"blockRatio":{"bottom":"0.08","top":"0.1113","left":"0.2276","right":"0.2284"},"ratio":"1.5625"},"1220839":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"1.5625"},"1220861":{"blockRatio":{"bottom":"0.0296","top":"0.0733","left":"0.2967","right":"0.2967"},"ratio":"1.5625"},"1224012":{"blockRatio":{"bottom":"0.0733","top":"0.1254","left":"0.2047","right":"0.2007"},"ratio":"1.5625"},"1224137":{"blockRatio":{"bottom":"0.0088","top":"0.0567","left":"0.2833","right":"0.2873"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":18921.15625,"height":2265.9375}},"hash":"fbyi3ogv8t9cnbn14omnwl1t"},{"name":"floorTitle","props":{"uid":"OTEyNzQy","tabName":"运动","type":"img","url":"https://cdn.poizon.com/node-common/4263eb26-ba13-b5ea-89f4-3358bd7fd0ff.png","$layOutInfo":{"top":21187.09375,"height":54}},"hash":"7c8zuh4eh2807fak7by9rylb"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"OTIwMTcy","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1283645,1283466,1287051,1285564,1285551,1282899,1293917,1285323,1283459,1294920,1285326,1285977,1282908,1288828,1283457,1283464,1282890,1283462,1288779,1299007","shapeList":{"1205445":{"blockRatio":{"bottom":"0.0025","top":"0.0053","left":"0.2744","right":"0.2727"},"ratio":"1.5625"},"1208066":{"blockRatio":{"bottom":"0.0697","top":"0.0634","left":"0.22","right":"0.22"},"ratio":"1.5625"},"1209936":{"blockRatio":{"bottom":"0.0358","top":"0.0789","left":"0.2327","right":"0.2318"},"ratio":"1.5625"},"1210651":{"blockRatio":{"bottom":"0.0212","top":"0.0379","left":"0.202","right":"0.2407"},"ratio":"1.5625"},"1217747":{"blockRatio":{"bottom":"0.0244","top":"0.0181","left":"0.319","right":"0.351"},"ratio":"1.5625"},"1220634":{"blockRatio":{"bottom":"0.08","top":"0.1113","left":"0.2276","right":"0.2284"},"ratio":"1.5625"},"1220839":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"1.5625"},"1220861":{"blockRatio":{"bottom":"0.0296","top":"0.0733","left":"0.2967","right":"0.2967"},"ratio":"1.5625"},"1224012":{"blockRatio":{"bottom":"0.0733","top":"0.1254","left":"0.2047","right":"0.2007"},"ratio":"1.5625"},"1224137":{"blockRatio":{"bottom":"0.0088","top":"0.0567","left":"0.2833","right":"0.2873"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":21246.078125,"height":2265.9375}},"hash":"3ipo7fi5u1cn6ah0tsk91irq"},{"name":"floorTitle","props":{"uid":"NTAxMzE5","tabName":"家居","type":"img","url":"https://cdn.poizon.com/node-common/b4260050-480a-b7dc-ee06-8e3704541ebf.png","$layOutInfo":{"top":23512.015625,"height":54}},"hash":"0kcndb1so2w73wca0dy2emu4"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"NTA2Mzc2","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1289288,1287156,1283496,1287154,1288616,1289207,1289223,1289308,1288966,1288557,1289333,1289153,1289134,1290544,1289299,1289936,1283490,1283493,1298777,1283078","shapeList":{"1205445":{"blockRatio":{"bottom":"0.0025","top":"0.0053","left":"0.2744","right":"0.2727"},"ratio":"1.5625"},"1208066":{"blockRatio":{"bottom":"0.0697","top":"0.0634","left":"0.22","right":"0.22"},"ratio":"1.5625"},"1209936":{"blockRatio":{"bottom":"0.0358","top":"0.0789","left":"0.2327","right":"0.2318"},"ratio":"1.5625"},"1210651":{"blockRatio":{"bottom":"0.0212","top":"0.0379","left":"0.202","right":"0.2407"},"ratio":"1.5625"},"1217747":{"blockRatio":{"bottom":"0.0244","top":"0.0181","left":"0.319","right":"0.351"},"ratio":"1.5625"},"1220634":{"blockRatio":{"bottom":"0.08","top":"0.1113","left":"0.2276","right":"0.2284"},"ratio":"1.5625"},"1220839":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"1.5625"},"1220861":{"blockRatio":{"bottom":"0.0296","top":"0.0733","left":"0.2967","right":"0.2967"},"ratio":"1.5625"},"1224012":{"blockRatio":{"bottom":"0.0733","top":"0.1254","left":"0.2047","right":"0.2007"},"ratio":"1.5625"},"1224137":{"blockRatio":{"bottom":"0.0088","top":"0.0567","left":"0.2833","right":"0.2873"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":23571,"height":2265.9375}},"hash":"8gtm9rvacwnqtdjdzzblsvfi"},{"name":"floorTitle","props":{"uid":"NjM5ODgx","tabName":"家电","type":"img","url":"https://cdn.poizon.com/node-common/cd14e06e-0b13-d7d2-3888-5adbe1388ee6.png","$layOutInfo":{"top":25836.9375,"height":54}},"hash":"xebfjjsqldgk5p8kmt2vhcoz"},{"name":"productFlowWithId","props":{"styleType":2,"uid":"Njg1ODUy","totalWidth":1.3,"type":2,"showActivePrice":1,"ids":"1288978,1288599,1291779,1289186,1287163,1287059,1294302,1297528,1287220,1285827,1283778,1291733,1283779,1291730,1291434,1291444,1287199,1291570,1297360,","shapeList":{"1205445":{"blockRatio":{"bottom":"0.0025","top":"0.0053","left":"0.2744","right":"0.2727"},"ratio":"1.5625"},"1208066":{"blockRatio":{"bottom":"0.0697","top":"0.0634","left":"0.22","right":"0.22"},"ratio":"1.5625"},"1209936":{"blockRatio":{"bottom":"0.0358","top":"0.0789","left":"0.2327","right":"0.2318"},"ratio":"1.5625"},"1210651":{"blockRatio":{"bottom":"0.0212","top":"0.0379","left":"0.202","right":"0.2407"},"ratio":"1.5625"},"1217747":{"blockRatio":{"bottom":"0.0244","top":"0.0181","left":"0.319","right":"0.351"},"ratio":"1.5625"},"1220634":{"blockRatio":{"bottom":"0.08","top":"0.1113","left":"0.2276","right":"0.2284"},"ratio":"1.5625"},"1220839":{"blockRatio":{"bottom":"0","top":"0","left":"0","right":"0"},"ratio":"1.5625"},"1220861":{"blockRatio":{"bottom":"0.0296","top":"0.0733","left":"0.2967","right":"0.2967"},"ratio":"1.5625"},"1224012":{"blockRatio":{"bottom":"0.0733","top":"0.1254","left":"0.2047","right":"0.2007"},"ratio":"1.5625"},"1224137":{"blockRatio":{"bottom":"0.0088","top":"0.0567","left":"0.2833","right":"0.2873"},"ratio":"1.5625"}},"productImgSize":"1","$layOutInfo":{"top":25895.921875,"height":2265.9375}},"hash":"x8yarjpi1rl00pwigwdckodz"}],"isGetJson":true,"globalConfig":{"title":"新品频道","style":{"background":"#000000"},"share":{"title":"得物","content":"潮流尖货,新品速递","icon":"https://cdn.poizon.com/node-common/ZGV3dWljb24xNTg1Mjk0MDYxMDYy.png"},"hideNavigation":1,"colorMode":1,"statusBarStyle":0,"buttonColor":"#ffffff","showFirstImg":0,"navigationBackground":"#076b83","distribution":{"isDistribute":0}},"status":1,"type":"dynamic","env":{"pageStatus":"detail","dataSource":"cdn"},"pageId":"5f58a709b108ca095a5142b8","query":{}},"template":{"componentList":[],"isGetJson":false,"globalConfig":null,"status":null,"env":{"pageStatus":"","dataSource":"cdn"},"pageId":"","query":{}},"common":{"dynamicDomain":{"domain":"","newDomainUrl":""}},"componentsProps":{"productFlowWithId__5":{"styleType":2,"isFirstP":true,"hasMore":false,"nowIndex":2,"isLoading":false,"dataSource":[{"spuId":1188311,"logoUrl":"https://cdn.poizon.com/source-img/origin-img/20201225/08530ba898a24f5dbd18553eb8d5f372.jpg","title":"【王一博同款】Nike SB Dunk Low Pro QS \"Street Hawker\" 食神 鸳鸯","price":516900,"discountPrice":516900,"soldNum":5759,"imgCvtSize":"0,0.14,0,0.1567,1.5625","reducePrice":0,"tags":[]},{"spuId":1294924,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20210109/6efc52023ad34c4a96dff87044a7ccee.jpg","title":"adidas originals Yeezy Boost 380 \"Yecoraite\" Reflective 蜜桃粉 满天星","price":152900,"discountPrice":152900,"soldNum":7594,"imgCvtSize":"0.0007,0.1108,0,0.09,1.5625","reducePrice":0,"tags":[]},{"spuId":1258168,"logoUrl":"https://cdn.poizon.com/source-img/origin-img/20201225/13fd4cc2a3774f27ab64d3744a2db7ca.jpg","title":"Bodega x Nike Dunk High \"Legend\" 棕褐 缝合","price":276900,"discountPrice":276900,"soldNum":231,"imgCvtSize":"0.0087,0.0692,0.0047,0.0796,1.5625","reducePrice":0,"tags":[]},{"spuId":1271664,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20210105/48e78a484f554de592ceeac21b4a1161.jpg","title":"Nike Dunk High \"Vast Grey\" 灰白","price":109900,"discountPrice":109900,"soldNum":5841,"imgCvtSize":"0,0.04,0,0.04,1.5625","reducePrice":0,"tags":[]},{"spuId":82928,"logoUrl":"https://cdn.poizon.com/source-img/origin-img/20201225/7db80222a8c943659ee5abc86a885fed.jpg","title":"Air Jordan 13 Retro \"Starfish\" 海星橙 扣碎","price":130900,"discountPrice":130900,"soldNum":835,"imgCvtSize":"0.0033,0.0233,0,0.0171,1.5625","reducePrice":0,"tags":[]},{"spuId":1196422,"logoUrl":"https://cdn.poizon.com/source-img/origin-img/20201206/3db4ef0211234334940a84777ad07849.jpg","title":"Nike Air Raid \"Raygun\" 黑橙黄 外星人","price":92900,"discountPrice":92900,"soldNum":16,"imgCvtSize":"0.0233,0.0233,0.0153,0.0838,1.5625","reducePrice":0,"tags":[]},{"spuId":1281930,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20210111/f09165ab835249e5bd134796aa210524.jpg","title":"Stray Rats x New Balance 574 绿色","price":98900,"discountPrice":98900,"soldNum":23,"imgCvtSize":"0.0007,0.1233,0.0087,0.1233,1.5625","reducePrice":0,"tags":[]},{"spuId":1281941,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20210111/72a290e52ad546fb80ac71a28484db80.jpg","title":"Stray Rats x New Balance 574 棕红绿","price":97900,"discountPrice":97900,"soldNum":12,"imgCvtSize":"0.0007,0.1254,0,0.1358,1.5625","reducePrice":0,"tags":[]},{"spuId":1278330,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20201229/926929e1b3164c95bd2a64d55161f99d.jpg","title":"Kung Fu Panda x Reebok Club C 85 红蓝色 板鞋 功夫熊猫联名","price":68900,"discountPrice":68900,"soldNum":54,"imgCvtSize":"0,0.1541,0.0062,0.1306,1.5625","reducePrice":0,"tags":[]},{"spuId":1255116,"logoUrl":"https://cdn.poizon.com/source-img/origin-img/20201225/47b4f948f1d34c37a65c9e4111cca75a.jpg","title":"【易烊千玺同款】adidas originals Superstar ''CNY'' 牛年新年款 白黑红 ","price":56900,"discountPrice":56900,"soldNum":410,"imgCvtSize":"0,0.14,0,0.14,1.5625","reducePrice":0,"tags":[]},{"spuId":1283955,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20210104/8a6170ede1d14fddb4f54c78c24ae0a2.jpg","title":"【杨幂同款】adidas originals Forum 84 Low OG \"Bright Blue\" 白蓝","price":85900,"discountPrice":85900,"soldNum":1777,"imgCvtSize":"0,0.14,0,0.1067,1.5625","reducePrice":0,"tags":[]},{"spuId":1278264,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20210112/b8f1ef1cf57f4394991dbc50c9ceaedc.jpg","title":"【王一博同款】Air Jordan 5 Retro Low \"Chinese New Year\" 白红 撕撕乐 中国年","price":145900,"discountPrice":145900,"soldNum":13413,"imgCvtSize":"0,0.09,0,0.1067,1.5625","reducePrice":0,"tags":[]},{"spuId":1193876,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20210106/fe490443ee42463fbfbc6ad4b7350423.jpg","title":"Nike SB Dunk Low Pro \"Court Purple\" 黑紫","price":191900,"discountPrice":191900,"soldNum":4900,"imgCvtSize":"0,0.1608,0,0.14,1.5625","reducePrice":0,"tags":[]},{"spuId":1287555,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20210106/1a35f39d26f840a7bd20b99edb4a9ff6.jpg","title":"Air Jordan 35 CNY PF \"Chinese New Year\" 红黑黄 刮刮乐 中国年 国内版","price":113900,"discountPrice":113900,"soldNum":469,"imgCvtSize":"0.0113,0,0.022,0.0067,1.5625","reducePrice":0,"tags":[]},{"spuId":79386,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20201228/d00b2f932fba4161b07ae0b73dd0cdeb.jpg","title":"Air Jordan 1 High OG Retro \"Volt Gold\" 黄橙脚趾","price":121900,"discountPrice":121900,"soldNum":26153,"imgCvtSize":"0.0113,0.04,0,0.0567,1.5625","reducePrice":0,"tags":[]},{"spuId":1186820,"logoUrl":"https://cdn.poizon.com/source-img/origin-img/20201206/bc89b52d1f54455cb7106460e07545c2.jpg","title":"Nike Air Force 1 \"I Believe Daruma\" 白红 达摩娃娃 刮刮乐 复刻","price":135900,"discountPrice":135900,"soldNum":1305,"imgCvtSize":"0,0.1067,0,0.1067,1.5625","reducePrice":0,"tags":[]},{"spuId":1276370,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20201228/1c1352c01dca4a10b468e77c484e43ea.jpg","title":"【品牌专供】1807 x LiNing李宁 BadFive 少不入川 惟吾PRO 热成像板鞋 1807联名限定 黑白","price":90900,"discountPrice":90900,"soldNum":508,"imgCvtSize":"0.0007,0.1733,0.0087,0.09,1.5625","reducePrice":0,"tags":[]},{"spuId":1282046,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20210104/077800783aa64cdcbdbb4fbb28ef1937.jpg","title":"【品牌专供】1807 x LiNing李宁 玖叁柒937Deluxe Hi 少不入川 高帮休闲篮球鞋 1807联名限定 白绿","price":99900,"discountPrice":99900,"soldNum":160,"imgCvtSize":"0.022,0.0067,0.0193,0.0067,1.5625","reducePrice":0,"tags":[]},{"spuId":1281974,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20201231/4eee7f1df2b049dba79c9209fa36f87d.jpg","title":"【品牌专供】LiNing李宁 驭帅14 䨻 翡翠蓝","price":156900,"discountPrice":156900,"soldNum":854,"imgCvtSize":"0.0007,0.0567,0.0047,0.0733,1.5625","reducePrice":0,"tags":[]},{"spuId":1175284,"logoUrl":"https://cdn.poizon.com/pro-img/origin-img/20201225/f37e9d8e894541d1b1f842a5ebfcbd96.jpg","title":"【品牌专供】LiNing李宁 937全掌䨻篮球鞋 白绿","price":106900,"discountPrice":106900,"soldNum":708,"imgCvtSize":"0,0.04,0,0.0337,1.5625","reducePrice":0,"tags":[]}],"type":2,"ids":"1188311,1294924,1258168,1271664,82928,1196422,1281930,1281941,1278330,1255116,1283955,1278264,1193876,1287555,79386,1186820,1276370,1282046,1281974,1175284","shapeList":{"1001564":{"blockRatio":{"bottom":"0.0921","top":"0.1442","left":"0","right":"0"},"ratio":"1.5625"},"1001932":{"blockRatio":{"bottom":"0.065","top":"0.0921","left":"0","right":"0.0033"},"ratio":"1.5625"},"1022528":{"blockRatio":{"bottom":"0.0754","top":"0.0775","left":"0","right":"0.0047"},"ratio":"1.5625"},"1095638":{"blockRatio":{"bottom":"0.0671","top":"0.0692","left":"0","right":"0"},"ratio":"1.5625"},"1126376":{"blockRatio":{"bottom":"0.0546","top":"0.065","left":"0.0047","right":"0"},"ratio":"1.5625"},"1151557":{"blockRatio":{"bottom":"0.0379","top":"0.0317","left":"0.0007","right":"0.0047"},"ratio":"1.5625"},"1164750":{"blockRatio":{"bottom":"0.0525","top":"0.0577","left":"0.0075","right":"0.0083"},"ratio":"1.5625"},"1172924":{"blockRatio":{"bottom":"0.1442","top":"0.1504","left":"0","right":"0.0113"},"ratio":"1.5625"},"1190524":{"blockRatio":{"bottom":"0.0088","top":"0.0129","left":"0.154","right":"0.1247"},"ratio":"1.5625"},"1191816":{"blockRatio":{"bottom":"0.1212","top":"0.1692","left":"0.0047","right":"0.0033"},"ratio":"1.5625"},"1194249":{"blockRatio":{"bottom":"0.0921","top":"0.0692","left":"0","right":"0.0047"},"ratio":"1.5625"},"1195545":{"blockRatio":{"bottom":"0.0546","top":"0.0546","left":"0.0073","right":"0.0047"},"ratio":"1.5625"},"1196272":{"blockRatio":{"bottom":"0.0879","top":"0.1067","left":"0.0113","right":"0.0113"},"ratio":"1.5625"},"1198802":{"blockRatio":{"bottom":"0.0504","top":"0.0567","left":"0.0073","right":"0.0087"},"ratio":"1.5625"},"1206808":{"blockRatio":{"bottom":"0.1317","top":"0.1046","left":"0.0047","right":"0.0073"},"ratio":"1.5625"},"1214523":{"blockRatio":{"bottom":"0.1254","top":"0.1442","left":"0.002","right":"0.0047"},"ratio":"1.5625"},"1217373":{"blockRatio":{"bottom":"0.0463","top":"0.0212","left":"0.0073","right":"0"},"ratio":"1.5625"},"1217935":{"blockRatio":{"bottom":"0.04","top":"0","left":"0.014","right":"0.0033"},"ratio":"1.5625"},"1219023":{"blockRatio":{"bottom":"0.0337","top":"0.0129","left":"0.0127","right":"0.0433"},"ratio":"1.5625"},"1219064":{"blockRatio":{"bottom":"0.1254","top":"0.1317","left":"0.0033","right":"0.0073"},"ratio":"1.5625"}},"totalWidth":1.3,"idsList":[["1188311","1294924","1258168","1271664","82928","1196422","1281930","1281941","1278330","1255116","1283955","1278264","1193876","1287555","79386","1186820","1276370","1282046","1281974","1175284"]],"pageSize":20,"lastId":null,"realPageNum":null}}}},"page":"/nezha-plus/entry","query":{},"buildId":"resource","assetPrefix":"https://h5static.dewu.com/ssr/out","isFallback":false,"customServer":true,"gip":true,"appGip":true}</script><script nomodule="" src="https://h5static.dewu.com/ssr/out/_next/static/chunks/polyfills-8f5f774d7b98d7e5a29e.js"></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/main-f231e4a0b9e130390f56.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/webpack-22eaaa575d3c455933b4.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/framework.d342f5f3955b7f7d6277.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/29107295.475faf8d4e56b6968c00.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/ee139361.bfa42fd961780ae11317.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/commons.5adbd78ac59c37da8955.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/873fb123fb0521660e5f93c213a0559863b98136.31709e6789014fb5c002.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/d7182615e316463b9fd7a1eb8168d29a4666c8e9.051f427f7eadc2585fbf.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/ce15afa7cd9246532391f42978eebef247c86c76.577ff14aa9b0987616b5.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/ffa1cb51b464e181995d0b170c8eb785885ee7cc.9849eeb4d05c7506f164.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/971df51bc30fc68e2dc5eee6bc5889bfd6227bb8.5f41311281e4e4e5ed6d.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/971df51bc30fc68e2dc5eee6bc5889bfd6227bb8_CSS.bc7564fa166f0d34b14f.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/f6078781a05fe1bcb0902d23dbbb2662c8d200b3.eda066651502db7c8d18.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/styles.03cd8eeb350ff9d55f28.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/pages/_app-ebeb97ffb564a9f07358.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/53b3c79d6e063796450d52f0bba5d5fa7689d7ef.67484eeb997d576bb91f.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/chunks/pages/nezha-plus/entry-9dbde8161cb52fc70639.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/resource/_buildManifest.js" async=""></script><script src="https://h5static.dewu.com/ssr/out/_next/static/resource/_ssgManifest.js" async=""></script><div id="poizon_modal"></div></body></html>'
respData = re.findall('"dataSource":(\[.*?]),"type"', resp, re.S)[0]
res = re.findall('"spuId":(.*?),', respData , re.S)
for id in res:
    print(id)

返回结果:


本文转载自: https://blog.csdn.net/gqv2009/article/details/120513628
版权归原作者 俊晗 所有, 如有侵权,请联系我们删除。

“python3 工作上一些正则表达式”的评论:

还没有评论